1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659 660 661 662 663 664 665 666 667 668 669 670 671 672 673 674 675 676 677 678 679 680 681 682 683 684 685 686 687 688 689 690 691 692 693 694 695 696 697 698 699 700 701 702 703 704 705 706 707 708 709 710 711 712 713 714 715 716 717 718 719 720 721 722 723 724 725 726 727 728 729 730 731 732 733 734 735 736 737 738 739 740 741 742 743 744 745 746 747 748 749 750 751 752 753 754 755 756 757 758 759 760 761 762 763 764 765 766 767 768 769 770 771 772 773 774 775 776 777 778 779 780 781 782 783 784 785 786 787 788 789 790 791 792 793 794 795 796 797 798 799 800 801 802 803 804 805 806 807 808 809 810 811 812 813 814 815 816 817 818 819 820 821 822 823 824 825 826 827 828 829 830 831 832 833 834 835 836 837 838 839 840 841 842 843 844 845 846 847 848 849 850 851 852 853 854 855 856 857 858 859 860 861 862 863 864 865 866 867 868 869 870 871 872 873 874 875 876 877 878 879 880 881 882 883 884 885 886 887 888 889 890 891 892 893 894 895 896 897 898 899 900 901 902 903 904 905 906 907 908 909 910 911 912 913 914 915 916 917 918 919 920 921 922 923 924 925 926 927 928 929 930 931 932 933 934 935 936 937 938 939 940 941 942 943 944 945 946 947 948 949 950 951 952 953 954 955 956 957 958 959 960 961 962 963 964 965 966 967 968 969 970 971 972 973 974 975 976 977 978 979 980 981 982 983 984 985 986 987 988 989 990 991 992 993 994 995 996 997 998 999 1000 1001 1002 1003 1004 1005 1006 1007 1008 1009 1010 1011 1012 1013 1014 1015 1016 1017 1018 1019 1020 1021 1022 1023 1024 1025 1026 1027 1028 1029 1030 1031 1032 1033 1034 1035 1036 1037 1038 1039 1040 1041 1042 1043 1044 1045 1046 1047 1048 1049 1050 1051 1052 1053 1054 1055 1056 1057 1058 1059 1060 1061 1062 1063 1064 1065 1066 1067 1068 1069 1070 1071 1072 1073 1074 1075 1076 1077 1078 1079 1080 1081 1082 1083 1084 1085 1086 1087 1088 1089 1090 1091 1092 1093 1094 1095 1096 1097 1098 1099 1100 1101 1102 1103 1104 1105 1106 1107 1108 1109 1110 1111 1112 1113 1114 1115 1116 1117 1118 1119 1120 1121 1122 1123 1124 1125 1126 1127 1128 1129 1130 1131 1132 1133 1134 1135 1136 1137 1138 1139 1140 1141 1142 1143 1144 1145 1146 1147 1148 1149 1150 1151 1152 1153 1154 1155 1156 1157 1158 1159 1160 1161 1162 1163 1164 1165 1166 1167 1168 1169 1170 1171 1172 1173 1174 1175 1176 1177 1178 1179 1180 1181 1182 1183 1184 1185 1186 1187 1188 1189 1190 1191 1192 1193 1194 1195 1196 1197 1198 1199 1200 1201 1202 1203 1204 1205 1206 1207 1208 1209 1210 1211 1212 1213 1214 1215 1216 1217 1218 1219 1220 1221 1222 1223 1224 1225 1226 1227 1228 1229 1230 1231 1232 1233 1234 1235 1236 1237 1238 1239 1240 1241 1242 1243 1244 1245 1246 1247 1248 1249 1250 1251 1252 1253 1254 1255 1256 1257 1258 1259 1260 1261 1262 1263 1264 1265 1266 1267 1268 1269 1270 1271 1272 1273 1274 1275 1276 1277 1278 1279 1280 1281 1282 1283 1284 1285 1286 1287 1288 1289 1290 1291 1292 1293 1294 1295 1296 1297 1298 1299 1300 1301 1302 1303 1304 1305 1306 1307 1308 1309 1310 1311 1312 1313 1314 1315 1316 1317 1318 1319 1320 1321 1322 1323 1324 1325 1326 1327 1328 1329 1330 1331 1332 1333 1334 1335 1336 1337 1338 1339 1340 1341 1342 1343 1344 1345 1346 1347 1348 1349 1350 1351 1352 1353 1354 1355 1356 1357 1358 1359 1360 1361 1362 1363 1364 1365 1366 1367 1368 1369 1370 1371 1372 1373 1374 1375 1376 1377 1378 1379 1380 1381 1382 1383 1384 1385 1386 1387 1388 1389 1390 1391 1392 1393 1394 1395 1396 1397 1398 1399 1400 1401 1402 1403 1404 1405 1406 1407 1408 1409 1410 1411 1412 1413 1414 1415 1416 1417 1418 1419 1420 1421 1422 1423 1424 1425 1426 1427 1428 1429 1430 1431 1432 1433 1434 1435 1436 1437 1438 1439 1440 1441 1442 1443 1444 1445 1446 1447 1448 1449 1450 1451 1452 1453 1454 1455 1456 1457 1458 1459 1460 1461 1462 1463 1464 1465 1466 1467 1468 1469 1470 1471 1472 1473 1474 1475 1476 1477 1478 1479 1480 1481 1482 1483 1484 1485 1486 1487 1488 1489 1490 1491 1492 1493 1494 1495 1496 1497 1498 1499 1500 1501 1502 1503 1504 1505 1506 1507 1508 1509 1510 1511 1512 1513 1514 1515 1516 1517 1518 1519 1520 1521 1522 1523 1524 1525 1526 1527 1528 1529 1530 1531 1532 1533 1534 1535 1536 1537 1538 1539 1540 1541 1542 1543 1544 1545 1546 1547 1548 1549 1550 1551 1552 1553 1554 1555 1556 1557 1558 1559 1560 1561 1562 1563 1564 1565 1566 1567 1568 1569 1570 1571 1572 1573 1574 1575 1576 1577 1578 1579 1580 1581 1582 1583 1584 1585 1586 1587 1588 1589 1590 1591 1592 1593 1594 1595 1596 1597 1598 1599 1600 1601 1602 1603 1604 1605 1606 1607 1608 1609 1610 1611 1612 1613 1614 1615 1616 1617 1618 1619 1620 1621 1622 1623 1624 1625 1626 1627 1628 1629 1630 1631 1632 1633 1634 1635 1636 1637 1638 1639 1640 1641 1642 1643 1644 1645 1646 1647 1648 1649 1650 1651 1652 1653 1654 1655 1656 1657 1658 1659 1660 1661 1662 1663 1664 1665 1666 1667 1668 1669 1670 1671 1672 1673 1674 1675 1676 1677 1678 1679 1680 1681 1682 1683 1684 1685 1686 1687 1688 1689 1690 1691 1692 1693 1694 1695 1696 1697 1698 1699 1700 1701 1702 1703 1704 1705 1706 1707 1708 1709 1710 1711 1712 1713 1714 1715 1716 1717 1718 1719 1720 1721 1722 1723 1724 1725 1726 1727 1728 1729 1730 1731 1732 1733 1734 1735 1736 1737 1738 1739 1740 1741 1742 1743 1744 1745 1746 1747 1748 1749 1750 1751 1752 1753 1754 1755 1756 1757 1758 1759 1760 1761 1762 1763 1764 1765 1766 1767 1768 1769 1770 1771 1772 1773 1774 1775 1776 1777 1778 1779 1780 1781 1782 1783 1784 1785 1786 1787 1788 1789 1790 1791 1792 1793 1794 1795 1796 1797 1798 1799 1800 1801 1802 1803 1804 1805 1806 1807 1808 1809 1810 1811 1812 1813 1814 1815 1816 1817 1818 1819 1820 1821 1822 1823 1824 1825 1826 1827 1828 1829 1830 1831 1832 1833 1834 1835 1836 1837 1838 1839 1840 1841 1842 1843 1844 1845 1846 1847 1848 1849 1850 1851 1852 1853 1854 1855 1856 1857 1858 1859 1860 1861 1862 1863 1864 1865 1866 1867 1868 1869 1870 1871 1872 1873 1874 1875 1876 1877 1878 1879 1880 1881 1882 1883 1884 1885 1886 1887 1888 1889 1890 1891 1892 1893 1894 1895 1896 1897 1898 1899 1900 1901 1902 1903 1904 1905 1906 1907 1908 1909 1910 1911 1912 1913 1914 1915 1916 1917 1918 1919 1920 1921 1922 1923 1924 1925 1926 1927 1928 1929 1930 1931 1932 1933 1934 1935 1936 1937 1938 1939 1940 1941 1942 1943 1944 1945 1946 1947 1948 1949 1950 1951 1952 1953 1954 1955 1956 1957 1958 1959 1960 1961 1962 1963 1964 1965 1966 1967 1968 1969 1970 1971 1972 1973 1974 1975 1976 1977 1978 1979 1980 1981 1982 1983 1984 1985 1986 1987 1988 1989 1990 1991 1992 1993 1994 1995 1996 1997 1998 1999 2000 2001 2002 2003 2004 2005 2006 2007 2008 2009 2010 2011 2012 2013 2014 2015 2016 2017 2018 2019 2020 2021 2022 2023 2024 2025 2026 2027 2028 2029 2030 2031 2032 2033 2034 2035 2036 2037 2038 2039 2040 2041 2042 2043 2044 2045 2046 2047 2048 2049 2050 2051 2052 2053 2054 2055 2056 2057 2058 2059 2060 2061 2062 2063 2064 2065 2066 2067 2068 2069 2070 2071 2072 2073 2074 2075 2076 2077 2078 2079 2080 2081 2082 2083 2084 2085 2086 2087 2088 2089 2090 2091 2092 2093 2094 2095 2096 2097 2098 2099 2100 2101 2102 2103 2104 2105 2106 2107 2108 2109 2110 2111 2112 2113 2114 2115 2116 2117 2118 2119 2120 2121 2122 2123 2124 2125 2126 2127 2128 2129 2130 2131 2132 2133 2134 2135 2136 2137 2138 2139 2140 2141 2142 2143 2144 2145 2146 2147 2148 2149 2150 2151 2152 2153 2154 2155 2156 2157 2158 2159 2160 2161 2162 2163 2164 2165 2166 2167 2168 2169 2170 2171 2172 2173 2174 2175 2176 2177 2178 2179 2180 2181 2182 2183 2184 2185 2186 2187 2188 2189 2190 2191 2192 2193 2194 2195 2196 2197 2198 2199 2200 2201 2202 2203 2204 2205 2206 2207 2208 2209 2210 2211 2212 2213 2214 2215 2216 2217 2218 2219 2220 2221 2222 2223 2224 2225 2226 2227 2228 2229 2230 2231 2232 2233 2234 2235 2236 2237 2238 2239 2240 2241 2242 2243 2244 2245 2246 2247 2248 2249 2250 2251 2252 2253 2254 2255 2256 2257 2258 2259 2260 2261 2262 2263 2264 2265 2266 2267 2268 2269 2270 2271 2272 2273 2274 2275 2276 2277 2278 2279 2280 2281 2282 2283 2284 2285 2286 2287 2288 2289 2290 2291 2292 2293 2294 2295 2296 2297 2298 2299 2300 2301 2302 2303 2304 2305 2306 2307 2308 2309 2310 2311 2312 2313 2314 2315 2316 2317 2318 2319 2320 2321 2322 2323 2324 2325 2326 2327 2328 2329 2330 2331 2332 2333 2334 2335 2336 2337 2338 2339 2340 2341 2342 2343 2344 2345 2346 2347 2348 2349 2350 2351 2352 2353 2354 2355 2356 2357 2358 2359 2360 2361 2362 2363 2364 2365 2366 2367 2368 2369 2370 2371 2372 2373 2374 2375 2376 2377 2378 2379 2380 2381 2382 2383 2384 2385 2386 2387 2388 2389 2390 2391 2392 2393 2394 2395 2396 2397 2398 2399 2400 2401 2402 2403 2404 2405 2406 2407 2408 2409 2410 2411 2412 2413 2414 2415 2416 2417 2418 2419 2420 2421 2422 2423 2424 2425 2426 2427 2428 2429 2430 2431 2432 2433 2434 2435 2436 2437 2438 2439 2440 2441 2442 2443 2444 2445 2446 2447 2448 2449 2450 2451 2452 2453 2454 2455 2456 2457 2458 2459 2460 2461 2462 2463 2464 2465 2466 2467 2468 2469 2470 2471 2472 2473 2474 2475 2476 2477 2478 2479 2480 2481 2482 2483 2484 2485 2486 2487 2488 2489 2490 2491 2492 2493 2494 2495 2496 2497 2498 2499 2500 2501 2502 2503 2504 2505 2506 2507 2508 2509 2510 2511 2512 2513 2514 2515 2516 2517 2518 2519 2520 2521 2522
|
##############################################################################
#
# Copyright (c) 2002-2003 Ingeniweb SARL - All rights reserved
#
##############################################################################
"""GroupUserFolder product"""
# fakes a method from a DTML file
from Globals import MessageDialog, DTMLFile
from AccessControl import ClassSecurityInfo
from AccessControl import Permissions
from AccessControl import getSecurityManager
from AccessControl import Unauthorized
from Globals import InitializeClass
from Acquisition import aq_base, aq_inner, aq_parent
from Acquisition import Implicit
from Globals import Persistent
from AccessControl.Role import RoleManager
from OFS.SimpleItem import Item
from OFS.PropertyManager import PropertyManager
import OFS
from OFS import ObjectManager, SimpleItem
from DateTime import DateTime
from App import ImageFile
from Products.PageTemplates import PageTemplateFile
import AccessControl.Role, webdav.Collection
import Products
import os
import string
import sys
import time
import math
import random
from global_symbols import *
import AccessControl.User
import GRUFFolder
import GRUFUser
from Products.PageTemplates import PageTemplateFile
import class_utility
from interfaces.IUserFolder import IUserFolder
## Developers notes
##
## The REQUEST.GRUF_PROBLEM variable is defined whenever GRUF encounters
## a problem than can be showed in the management screens. It's always
## logged as LOG_WARNING level anyway.
_marker = []
def unique(sequence, _list = 0):
"""Make a sequence a list of unique items"""
uniquedict = {}
for v in sequence:
uniquedict[v] = 1
if _list:
return list(uniquedict.keys())
return tuple(uniquedict.keys())
def manage_addGroupUserFolder(self, dtself=None, REQUEST=None, **ignored):
""" Factory method that creates a UserFolder"""
f=GroupUserFolder()
self=self.this()
try: self._setObject('acl_users', f)
except: return MessageDialog(
title ='Item Exists',
message='This object already contains a User Folder',
action ='%s/manage_main' % REQUEST['URL1'])
self.__allow_groups__=f
self.acl_users._post_init()
self.acl_users.Users.manage_addUserFolder()
self.acl_users.Groups.manage_addUserFolder()
if REQUEST is not None:
REQUEST['RESPONSE'].redirect(self.absolute_url()+'/manage_main')
class GroupUserFolder(OFS.ObjectManager.ObjectManager,
AccessControl.User.BasicUserFolder,
):
"""
GroupUserFolder => User folder with groups management
"""
# #
# ZOPE INFORMATION #
# #
meta_type='Group User Folder'
id ='acl_users'
title ='Group-aware User Folder'
__implements__ = (IUserFolder, )
isAnObjectManager = 1
isPrincipiaFolderish = 1
isAUserFolder = 1
## _haveLDAPUF = 0
security = ClassSecurityInfo()
manage_options=(
(
{'label':'Overview', 'action':'manage_overview'},
{'label':'Sources', 'action':'manage_GRUFSources'},
{'label':'Groups', 'action':'manage_groups'},
{'label':'Users', 'action':'manage_users'},
{'label':'Audit', 'action':'manage_audit'},
) + \
OFS.ObjectManager.ObjectManager.manage_options + \
RoleManager.manage_options + \
Item.manage_options )
manage_main = OFS.ObjectManager.ObjectManager.manage_main
## manage_overview = DTMLFile('dtml/GRUF_overview', globals())
manage_overview = PageTemplateFile.PageTemplateFile('dtml/GRUF_overview', globals())
manage_audit = PageTemplateFile.PageTemplateFile('dtml/GRUF_audit', globals())
manage_groups = PageTemplateFile.PageTemplateFile('dtml/GRUF_groups', globals())
manage_users = PageTemplateFile.PageTemplateFile('dtml/GRUF_users', globals())
manage_newusers = PageTemplateFile.PageTemplateFile('dtml/GRUF_newusers', globals())
manage_GRUFSources = PageTemplateFile.PageTemplateFile('dtml/GRUF_contents', globals())
manage_user = PageTemplateFile.PageTemplateFile('dtml/GRUF_user', globals())
__ac_permissions__=(
('Manage users',
('manage_users',
'user_names', 'setDomainAuthenticationMode',
)
),
)
# Color constants, only useful within GRUF management screens
user_color = "#006600"
group_color = "#000099"
role_color = "#660000"
# User and group images
img_user = ImageFile.ImageFile('www/GRUFUsers.gif', globals())
img_group = ImageFile.ImageFile('www/GRUFGroups.gif', globals())
# #
# OFFICIAL INTERFACE #
# #
security.declareProtected(Permissions.manage_users, "user_names")
def user_names(self,):
"""
user_names() => return user IDS and not user NAMES !!!
Due to a Zope inconsistency, the Role.get_valid_userids return user names
and not user ids - which is bad. As GRUF distinguishes names and ids, this
will cause it to break, especially in the listLocalRoles form. So we change
user_names() behaviour so that it will return ids and not names.
"""
return self.getUserIds()
security.declareProtected(Permissions.manage_users, "getUserNames")
def getUserNames(self, __include_groups__ = 1, __include_users__ = 1, __groups_prefixed__ = 0):
"""
Return a list of all possible user atom names in the system.
Groups will be returned WITHOUT their prefix by this method.
So, there might be a collision between a user name and a group name.
[NOTA: This method is time-expensive !]
"""
## if __include_users__:
## LogCallStack(LOG_DEBUG, "This call can be VERY expensive!")
names = []
ldap_sources = []
# Fetch users in user sources
if __include_users__:
for src in self.listUserSources():
names.extend(src.getUserNames())
# Append groups if possible
if __include_groups__:
# Regular groups
if "acl_users" in self._getOb('Groups').objectIds():
names.extend(self.Groups.listGroups(prefixed = __groups_prefixed__))
# LDAP groups
for ldapuf in ldap_sources:
if ldapuf._local_groups:
continue
for g in ldapuf.getGroups(attr = LDAP_GROUP_RDN):
if __groups_prefixed__:
names.append("%s%s" % (GROUP_PREFIX, g))
else:
names.append(g)
# Return a list of unique names
return unique(names, _list = 1)
security.declareProtected(Permissions.manage_users, "getUserIds")
def getUserIds(self,):
"""
Return a list of all possible user atom ids in the system.
WARNING: Please see the id Vs. name consideration at the
top of this document. So, groups will be returned
WITH their prefix by this method
[NOTA: This method is time-expensive !]
"""
return self.getUserNames(__groups_prefixed__ = 1)
security.declareProtected(Permissions.manage_users, "getUsers")
def getUsers(self, __include_groups__ = 1, __include_users__ = 1):
"""Return a list of user and group objects.
In case of some UF implementations, the returned object may only be a subset
of all possible users.
In other words, you CANNOT assert that len(getUsers()) equals len(getUserNames()).
With cache-support UserFolders, such as LDAPUserFolder, the getUser() method will
return only cached user objects instead of fetching all possible users.
"""
ret = []
names = []
# Fetch groups first (then the user must be
# prefixed by 'group_' prefix)
if __include_groups__:
## # Fetch LDAP groups
## if self._haveLDAPUF:
## for src in self.listUserSources():
## if not hasattr(src, LDAPUF_METHOD): # We check if we have an LDAPUF
## continue
## # Scan LDAP groups
## if src._local_groups:
## continue
## for group in src.getGroups(attr = LDAP_GROUP_RDN):
## # Create a dummy user
## u = AccessControl.User.SimpleUser(group, '', [], [])
## # Bind it to a gruf user
## ret.append(GRUFUser.GRUFLDAPGroup(
## self, u, isGroup = 1, source_id = "Groups"
## ).__of__(self))
# Fetch regular groups
for u in self._getOb('Groups').acl_users.getUsers():
if not u:
continue # Ignore empty users
name = u.getId()
if name in names:
continue # Prevent double users inclusion
# Append group
names.append(name)
ret.append(
GRUFUser.GRUFGroup(u, self, isGroup = 1, source_id = "Groups").__of__(self)
)
# Fetch users then
if __include_users__:
for src in self.listUserSources():
for u in src.getUsers():
if not u:
continue # Ignore empty users
name = u.getId()
if name in names:
continue # Prevent double users inclusion
# Append user
names.append(name)
ret.append(
GRUFUser.GRUFUser(u, self, source_id = src.getUserSourceId(), isGroup = 0).__of__(self)
)
return ret
security.declareProtected(Permissions.manage_users, "getUser")
def getUser(self, name, __include_users__ = 1, __include_groups__ = 1, __force_group_id__ = 0):
"""
Return the named user object or None.
User have precedence over group.
If name is None, getUser() will return None.
XXX Have to improve perfs here
"""
# Basic check
if name is None:
return None
# Prevent infinite recursion when instanciating a GRUF
# without having sub-acl_users set
if not "acl_users" in self._getOb('Groups').objectIds():
return None
# Fetch groups first (then the user must be prefixed by 'group_' prefix)
if __include_groups__ and name.startswith(GROUP_PREFIX):
id = name[GROUP_PREFIX_LEN:]
# Fetch regular groups
u = self._getOb('Groups')._getGroup(id)
if u:
ret = GRUFUser.GRUFGroup(
u, self, isGroup = 1, source_id = "Groups"
).__of__(self)
return ret # XXX This violates precedence
# Fetch users then
if __include_users__:
for src in self.listUserSources():
u = src.getUser(name)
if u:
ret = GRUFUser.GRUFUser(u, self, source_id = src.getUserSourceId(), isGroup = 0).__of__(self)
return ret
# Then desperatly try to fetch groups (without beeing prefixed by 'group_' prefix)
if __include_groups__ and (not __force_group_id__):
u = self._getOb('Groups')._getGroup(name)
if u:
ret = GRUFUser.GRUFGroup(u, self, isGroup = 1, source_id = "Groups").__of__(self)
return ret
return None
security.declareProtected(Permissions.manage_users, "getUserById")
def getUserById(self, id, default=_marker):
"""Return the user atom corresponding to the given id. Can return groups.
"""
ret = self.getUser(id, __force_group_id__ = 1)
if not ret:
if default is _marker:
raise ValueError, "Invalid user or group id: '%s'" % (id, )
ret = default
return ret
security.declareProtected(Permissions.manage_users, "getUserByName")
def getUserByName(self, name, default=_marker):
"""Same as getUser() but works with a name instead of an id.
[NOTA: Theorically, the id is a handle, while the name is the actual login name.
But difference between a user id and a user name is unsignificant in
all current User Folder implementations... except for GROUPS.]
"""
# Try to fetch a user first
usr = self.getUser(name)
# If not found, try to fetch a group by appending the prefix
if not usr:
name = "%s%s" % (GROUP_PREFIX, name)
usr = self.getUserById(name, default)
return usr
security.declareProtected(Permissions.manage_users, "getPureUserNames")
def getPureUserNames(self, ):
"""Fetch the list of actual users from GRUFUsers.
"""
return self.getUserNames(__include_groups__ = 0)
security.declareProtected(Permissions.manage_users, "getPureUserIds")
def getPureUserIds(self,):
"""Same as getUserIds() but without groups
"""
return self.getUserNames(__include_groups__ = 0)
security.declareProtected(Permissions.manage_users, "getPureUsers")
def getPureUsers(self):
"""Return a list of pure user objects.
"""
return self.getUsers(__include_groups__ = 0)
security.declareProtected(Permissions.manage_users, "getPureUser")
def getPureUser(self, id, ):
"""Return the named user object or None"""
# Performance tricks
if not id:
return None
# Fetch it
return self.getUser(id, __include_groups__ = 0)
security.declareProtected(Permissions.manage_users, "getGroupNames")
def getGroupNames(self, ):
"""Same as getUserNames() but without pure users.
"""
return self.getUserNames(__include_users__ = 0, __groups_prefixed__ = 0)
security.declareProtected(Permissions.manage_users, "getGroupIds")
def getGroupIds(self, ):
"""Same as getUserNames() but without pure users.
"""
return self.getUserNames(__include_users__ = 0, __groups_prefixed__ = 1)
security.declareProtected(Permissions.manage_users, "getGroups")
def getGroups(self):
"""Same as getUsers() but without pure users.
"""
return self.getUsers(__include_users__ = 0)
security.declareProtected(Permissions.manage_users, "getGroup")
def getGroup(self, name, prefixed = 1):
"""Return the named user object or None"""
# Performance tricks
if not name:
return None
# Unprefix group name
if not name.startswith(GROUP_PREFIX):
name = "%s%s" % (GROUP_PREFIX, name, )
# Fetch it
return self.getUser(name, __include_users__ = 0)
security.declareProtected(Permissions.manage_users, "getGroupById")
def getGroupById(self, id, default = _marker):
"""Same as getUserById(id) but forces returning a group.
"""
ret = self.getUser(id, __include_users__ = 0, __force_group_id__ = 1)
if not ret:
if default is _marker:
raise ValueError, "Invalid user: '%s'" % (id, )
ret = default
return ret
security.declareProtected(Permissions.manage_users, "getGroupByName")
def getGroupByName(self, name, default = _marker):
"""Same as getUserByName(name) but forces returning a group.
"""
ret = self.getUser(name, __include_users__ = 0, __force_group_id__ = 0)
if not ret:
if default is _marker:
raise ValueError, "Invalid user: '%s'" % (name, )
ret = default
return ret
# #
# REGULAR MUTATORS #
# #
security.declareProtected(Permissions.manage_users, "userFolderAddUser")
def userFolderAddUser(self, name, password, roles = (), domains = (), groups = (), **kw):
"""API method for creating a new user object. Note that not all
user folder implementations support dynamic creation of user
objects.
"""
return self._doAddUser(name, password, roles, domains, groups, **kw)
security.declareProtected(Permissions.manage_users, "userFolderEditUser")
def userFolderEditUser(self, name, password, roles, domains = (), groups = (), **kw):
"""API method for changing user object attributes. Note that not
all user folder implementations support changing of user object
attributes."""
return self._doChangeUser(name, password, roles, domains, groups, **kw)
security.declareProtected(Permissions.manage_users, "userFolderDelUsers")
def userFolderDelUsers(self, names):
"""API method for deleting one or more user atom objects. Note that not
all user folder implementations support deletion of user objects."""
return self._doDelUsers(names)
security.declareProtected(Permissions.manage_users, "userFolderAddGroup")
def userFolderAddGroup(self, name, roles = (), groups = (), **kw):
"""API method for creating a new group.
"""
while name.startswith(GROUP_PREFIX):
name = name[GROUP_PREFIX_LEN:]
return self._doAddGroup(name, roles, groups, **kw)
security.declareProtected(Permissions.manage_users, "userFolderEditGroup")
def userFolderEditGroup(self, name, roles, groups = (), **kw):
"""API method for changing group object attributes.
"""
return self._doChangeGroup(name, roles, groups = groups, **kw)
security.declareProtected(Permissions.manage_users, "userFolderDelGroups")
def userFolderDelGroups(self, names):
"""API method for deleting one or more group objects.
Implem. note : All ids must be prefixed with 'group_',
so this method ends up beeing only a filter of non-prefixed ids
before calling userFolderDelUsers().
"""
return self._doDelGroups(names)
# #
# SEARCH METHODS #
# #
security.declareProtected(Permissions.manage_users, "searchUsersByAttribute")
def searchUsersByAttribute(self, attribute, search_term):
"""Return user ids whose 'attribute' match the specified search_term.
If search_term is an empty string, behaviour depends on the underlying user folder:
it may return all users, return only cached users (for LDAPUF) or return no users.
This will return all users whose name contains search_term (whaterver its case).
THIS METHOD MAY BE VERY EXPENSIVE ON USER FOLDER KINDS WHICH DO NOT PROVIDE A
SEARCHING METHOD (ie. every UF kind except LDAPUF).
'attribute' can be 'id' or 'name' for all UF kinds, or anything else for LDAPUF.
"""
ret = []
for src in self.listUserSources():
# Use source-specific search methods if available
if hasattr(src.aq_base, "findUser"):
# LDAPUF
id_attr = src._uid_attr
if attribute == 'name':
attr = src._login_attr
elif attribute == 'id':
attr = src._uid_attr
else:
attr = attribute
users = src.findUser(attr, search_term)
ret.extend(
[ u[id_attr] for u in users ],
)
else:
# Other types of user folder
search_term = search_term.lower()
# Find the proper method according to the attribute type
if attribute == "name":
method = "getName"
elif attribute == "id":
method = "getId"
else:
raise NotImplementedError, "Attribute searching is only supported for LDAPUserFolder by now."
# Actually search
for u in self.getUsers(__include_groups__ = 0):
s = getattr(u, method)().lower()
if string.find(s, search_term) != -1:
ret.append(u.getId())
return ret
security.declareProtected(Permissions.manage_users, "searchUsersByName")
def searchUsersByName(self, search_term):
"""Return user ids whose name match the specified search_term.
If search_term is an empty string, behaviour depends on the underlying user folder:
it may return all users, return only cached users (for LDAPUF) or return no users.
This will return all users whose name contains search_term (whaterver its case).
THIS METHOD MAY BE VERY EXPENSIVE ON USER FOLDER KINDS WHICH DO NOT PROVIDE A
SEARCHING METHOD (ie. every UF kind except LDAPUF)
"""
return self.searchUsersByAttribute("name", search_term)
security.declareProtected(Permissions.manage_users, "searchUsersById")
def searchUsersById(self, search_term):
"""Return user ids whose id match the specified search_term.
If search_term is an empty string, behaviour depends on the underlying user folder:
it may return all users, return only cached users (for LDAPUF) or return no users.
This will return all users whose name contains search_term (whaterver its case).
THIS METHOD MAY BE VERY EXPENSIVE ON USER FOLDER KINDS WHICH DO NOT PROVIDE A
SEARCHING METHOD (ie. every UF kind except LDAPUF)
"""
return self.searchUsersByAttribute("id", search_term)
security.declareProtected(Permissions.manage_users, "searchGroupsByAttribute")
def searchGroupsByAttribute(self, attribute, search_term):
"""Return group ids whose 'attribute' match the specified search_term.
If search_term is an empty string, behaviour depends on the underlying group folder:
it may return all groups, return only cached groups (for LDAPUF) or return no groups.
This will return all groups whose name contains search_term (whaterver its case).
THIS METHOD MAY BE VERY EXPENSIVE ON GROUP FOLDER KINDS WHICH DO NOT PROVIDE A
SEARCHING METHOD (ie. every UF kind except LDAPUF).
'attribute' can be 'id' or 'name' for all UF kinds, or anything else for LDAPUF.
"""
ret = []
src = self.Groups
# Use source-specific search methods if available
if hasattr(src.aq_base, "findGroup"):
# LDAPUF
id_attr = src._uid_attr
if attribute == 'name':
attr = src._login_attr
elif attribute == 'id':
attr = src._uid_attr
else:
attr = attribute
groups = src.findGroup(attr, search_term)
ret.extend(
[ u[id_attr] for u in groups ],
)
else:
# Other types of group folder
search_term = search_term.lower()
# Find the proper method according to the attribute type
if attribute == "name":
method = "getName"
elif attribute == "id":
method = "getId"
else:
raise NotImplementedError, "Attribute searching is only supported for LDAPGroupFolder by now."
# Actually search
for u in self.getGroups():
s = getattr(u, method)().lower()
if string.find(s, search_term) != -1:
ret.append(u.getId())
return ret
security.declareProtected(Permissions.manage_users, "searchGroupsByName")
def searchGroupsByName(self, search_term):
"""Return group ids whose name match the specified search_term.
If search_term is an empty string, behaviour depends on the underlying group folder:
it may return all groups, return only cached groups (for LDAPUF) or return no groups.
This will return all groups whose name contains search_term (whaterver its case).
THIS METHOD MAY BE VERY EXPENSIVE ON GROUP FOLDER KINDS WHICH DO NOT PROVIDE A
SEARCHING METHOD (ie. every UF kind except LDAPUF)
"""
return self.searchGroupsByAttribute("name", search_term)
security.declareProtected(Permissions.manage_users, "searchGroupsById")
def searchGroupsById(self, search_term):
"""Return group ids whose id match the specified search_term.
If search_term is an empty string, behaviour depends on the underlying group folder:
it may return all groups, return only cached groups (for LDAPUF) or return no groups.
This will return all groups whose name contains search_term (whaterver its case).
THIS METHOD MAY BE VERY EXPENSIVE ON GROUP FOLDER KINDS WHICH DO NOT PROVIDE A
SEARCHING METHOD (ie. every UF kind except LDAPUF)
"""
return self.searchGroupsByAttribute("id", search_term)
# #
# SECURITY MANAGEMENT METHODS #
# #
security.declareProtected(Permissions.manage_users, "setRolesOnUsers")
def setRolesOnUsers(self, roles, userids):
"""Set a common set of roles for a bunch of user atoms.
"""
for usr in userids:
self.userSetRoles(usr, roles)
## def setUsersOfRole(self, usernames, role):
## """Sets the users of a role.
## XXX THIS METHOD SEEMS TO BE SEAMLESS.
## """
## raise NotImplementedError, "Not implemented."
security.declareProtected(Permissions.manage_users, "getUsersOfRole")
def getUsersOfRole(self, role, object = None):
"""Gets the user (and group) ids having the specified role...
...on the specified Zope object if it's not None
...on their own information if the object is None.
NOTA: THIS METHOD IS VERY EXPENSIVE.
XXX PERFORMANCES HAVE TO BE IMPROVED
"""
ret = []
for id in self.getUserIds():
if role in self.getRolesOfUser(id):
ret.append(id)
return tuple(ret)
security.declarePublic("getRolesOfUser")
def getRolesOfUser(self, userid):
"""Alias for user.getRoles()
"""
return self.getUserById(userid).getRoles()
security.declareProtected(Permissions.manage_users, "userFolderAddRole")
def userFolderAddRole(self, role):
"""Add a new role. The role will be appended, in fact, in GRUF's surrounding folder.
"""
if role in self.aq_parent.valid_roles():
raise ValueError, "Role '%s' already exist" % (role, )
return self.aq_parent._addRole(role)
security.declareProtected(Permissions.manage_users, "userFolderDelRoles")
def userFolderDelRoles(self, roles):
"""Delete roles.
The removed roles will be removed from the UserFolder's users and groups as well,
so this method can be very time consuming with a large number of users.
"""
# Check that roles exist
ud_roles = self.aq_parent.userdefined_roles()
for r in roles:
if not r in ud_roles:
raise ValueError, "Role '%s' is not defined on acl_users' parent folder" % (r, )
# Remove role on all users
for r in roles:
for u in self.getUsersOfRole(r, ):
self.userRemoveRole(u, r, )
# Actually remove role
return self.aq_parent._delRoles(roles, None)
security.declarePublic("userFolderGetRoles")
def userFolderGetRoles(self, ):
"""
userFolderGetRoles(self,) => tuple of strings
List the roles defined at the top of GRUF's folder.
This includes both user-defined roles and default roles.
"""
return tuple(self.aq_parent.valid_roles())
# Groups support
security.declareProtected(Permissions.manage_users, "setMembers")
def setMembers(self, groupid, userids):
"""Set the members of the group
"""
self.getGroup(groupid).setMembers(userids)
security.declareProtected(Permissions.manage_users, "addMember")
def addMember(self, groupid, userid):
"""Add a member to a group
"""
return self.getGroup(groupid).addMember(userid)
security.declareProtected(Permissions.manage_users, "removeMember")
def removeMember(self, groupid, userid):
"""Remove a member from a group.
"""
return self.getGroup(groupid).removeMember(userid)
security.declareProtected(Permissions.manage_users, "getMemberIds")
def getMemberIds(self, groupid):
"""Return the list of member ids (groups and users) in this group
"""
m = self.getGroup(groupid)
if not m:
raise ValueError, "Invalid group: '%s'" % groupid
return self.getGroup(groupid).getMemberIds()
security.declareProtected(Permissions.manage_users, "getUserMemberIds")
def getUserMemberIds(self, groupid):
"""Return the list of member ids (groups and users) in this group
"""
return self.getGroup(groupid).getUserMemberIds()
security.declareProtected(Permissions.manage_users, "getGroupMemberIds")
def getGroupMemberIds(self, groupid):
"""Return the list of member ids (groups and users) in this group
XXX THIS MAY BE VERY EXPENSIVE !
"""
return self.getGroup(groupid).getGroupMemberIds()
security.declareProtected(Permissions.manage_users, "hasMember")
def hasMember(self, groupid, id):
"""Return true if the specified atom id is in the group.
This is the contrary of IUserAtom.isInGroup(groupid).
THIS CAN BE VERY EXPENSIVE
"""
return self.getGroup(groupid).hasMember(id)
# User mutation
## def setUserId(id, newId):
## """Change id of a user atom.
## """
## def setUserName(id, newName):
## """Change the name of a user atom.
## """
security.declareProtected(Permissions.manage_users, "userSetRoles")
def userSetRoles(self, id, roles):
"""Change the roles of a user atom.
"""
self._updateUser(id, roles = roles)
security.declareProtected(Permissions.manage_users, "userAddRole")
def userAddRole(self, id, role):
"""Append a role for a user atom
"""
roles = list(self.getUser(id).getRoles())
if not role in roles:
roles.append(role)
self._updateUser(id, roles = roles)
security.declareProtected(Permissions.manage_users, "userRemoveRole")
def userRemoveRole(self, id, role):
"""Remove the role of a user atom. Will NOT complain if role doesn't exist
"""
roles = list(self.getRolesOfUser(id))
if role in roles:
roles.remove(role)
self._updateUser(id, roles = roles)
security.declareProtected(Permissions.manage_users, "userSetPassword")
def userSetPassword(self, id, newPassword):
"""Set the password of a user
"""
u = self.getPureUser(id)
if not u:
raise ValueError, "Invalid pure user id: '%s'" % (id,)
self._updateUser(u.getId(), password = newPassword, )
security.declareProtected(Permissions.manage_users, "userGetDomains")
def userGetDomains(self, id):
"""get domains for a user
"""
usr = self.getPureUser(id)
return tuple(usr.getDomains())
security.declareProtected(Permissions.manage_users, "userSetDomains")
def userSetDomains(self, id, domains):
"""Set domains for a user
"""
usr = self.getPureUser(id)
self._updateUser(usr.getId(), domains = domains, )
security.declareProtected(Permissions.manage_users, "userAddDomain")
def userAddDomain(self, id, domain):
"""Append a domain to a user
"""
usr = self.getPureUser(id)
domains = list(usr.getDomains())
if not domain in domains:
roles.append(domain)
self._updateUser(usr.getId(), domains = domains, )
security.declareProtected(Permissions.manage_users, "userRemoveDomain")
def userRemoveDomain(self, id, domain):
"""Remove a domain from a user
"""
usr = self.getPureUser(id)
domains = list(usr.getDomains())
if not domain in domains:
raise ValueError, "User '%s' doesn't have domain '%s'" % (id, domain, )
while domain in domains:
roles.remove(domain)
self._updateUser(usr.getId(), domains = domains)
security.declareProtected(Permissions.manage_users, "userSetGroups")
def userSetGroups(self, id, groupnames):
"""Set the groups of a user
"""
self._updateUser(id, groups = groupnames)
security.declareProtected(Permissions.manage_users, "userAddGroup")
def userAddGroup(self, id, groupname):
"""add a group to a user atom
"""
groups = list(self.getUserById(id).getGroups())
if not groupname in groups:
groups.append(groupname)
self._updateUser(id, groups = groups)
security.declareProtected(Permissions.manage_users, "userRemoveGroup")
def userRemoveGroup(self, id, groupname):
"""remove a group from a user atom.
"""
groups = list(self.getUserById(id).getGroupNames())
if groupname.startswith(GROUP_PREFIX):
groupname = groupname[GROUP_PREFIX_LEN:]
if groupname in groups:
groups.remove(groupname)
self._updateUser(id, groups = groups)
# #
# VARIOUS OPERATIONS #
# #
def __init__(self):
"""
__init__(self) -> initialization method
We define it to prevend calling ancestor's __init__ methods.
"""
pass
security.declarePrivate('_post_init')
def _post_init(self):
"""
_post_init(self) => meant to be called when the
object is in the Zope tree
"""
uf = GRUFFolder.GRUFUsers()
gf = GRUFFolder.GRUFGroups()
self._setObject('Users', uf)
self._setObject('Groups', gf)
self.id = "acl_users"
# #
# VARIOUS UTILITIES #
# #
# These methods shouldn't be used directly for most applications, #
# but they might be useful for some special processing. #
# #
security.declarePublic('getGroupPrefix')
def getGroupPrefix(self):
""" group prefix """
return GROUP_PREFIX
security.declarePrivate('getGRUFPhysicalRoot')
def getGRUFPhysicalRoot(self,):
# $$$ trick meant to be used within
# fake_getPhysicalRoot (see __init__)
return self.getPhysicalRoot()
security.declareProtected(Permissions.view, 'getGRUFId')
def getGRUFId(self,):
"""
Alias to self.getId()
"""
return self.getId()
security.declareProtected(Permissions.manage_users, "getUnwrappedUser")
def getUnwrappedUser(self, name):
"""
getUnwrappedUser(self, name) => user object or None
This method is used to get a User object directly from the User's
folder acl_users, without wrapping it with group information.
This is useful for UserFolders that define additional User classes,
when you want to call specific methods on these user objects.
For example, LDAPUserFolder defines a 'getProperty' method that's
not inherited from the standard User object. You can, then, use
the getUnwrappedUser() to get the matching user and call this
method.
"""
src_id = self.getUser(name).getUserSourceId()
return self.getUserSource(src_id).getUser(name)
security.declareProtected(Permissions.manage_users, "getUnwrappedGroup")
def getUnwrappedGroup(self, name):
"""
getUnwrappedGroup(self, name) => user object or None
Same as getUnwrappedUser but for groups.
"""
return self.Groups.acl_users.getUser(name)
# #
# AUTHENTICATION INTERFACE #
# #
security.declarePrivate("authenticate")
def authenticate(self, name, password, request):
"""
Pass the request along to the underlying user-related UserFolder
object
THIS METHOD RETURNS A USER OBJECT OR NONE, as specified in the code
in AccessControl/User.py.
We also check for inituser in there.
"""
# Emergency user checking stuff
emergency = self._emergency_user
if name is None:
return None
if emergency and name==emergency.getUserName():
if emergency.authenticate(password, request):
return emergency
else:
return None
# Usual GRUF authentication
for src in self.listUserSources():
# XXX We can imagine putting a try/except here to "ignore"
# UF errors such as SQL or LDAP shutdown
u = src.authenticate(name, password, request)
if u:
return GRUFUser.GRUFUser(u, self, isGroup = 0, source_id = src.getUserSourceId()).__of__(self)
# No acl_users in the Users folder or no user authenticated
# => we refuse authentication
return None
# #
# GRUF'S GUTS :-) #
# #
security.declarePrivate("_doAddUser")
def _doAddUser(self, name, password, roles, domains, groups = (), **kw):
"""
Create a new user. This should be implemented by subclasses to
do the actual adding of a user. The 'password' will be the
original input password, unencrypted. The implementation of this
method is responsible for performing any needed encryption.
"""
prefix = GROUP_PREFIX
# Prepare groups
roles = list(roles)
gruf_groups = self.getGroupIds()
for group in groups:
if not group.startswith(prefix):
group = "%s%s" % (prefix, group, )
if not group in gruf_groups:
raise ValueError, "Invalid group: '%s'" % (group, )
roles.append(group)
# Reset the users overview batch
self._v_batch_users = []
# Really add users
return self.getDefaultUserSource()._doAddUser(
name,
password,
roles,
domains,
**kw)
security.declarePrivate("_doChangeUser")
def _doChangeUser(self, name, password, roles, domains, groups = (), **kw):
"""
Modify an existing user. This should be implemented by subclasses
to make the actual changes to a user. The 'password' will be the
original input password, unencrypted. The implementation of this
method is responsible for performing any needed encryption.
A None password should not change it (well, we hope so)
"""
roles = list(roles)
groups = list(groups)
# Get actual user name and id
usr = self.getUser(name)
id = usr.getRealId()
# Change groups affectation
cur_groups = self.getGroups()
given_roles = tuple(usr.getRoles()) + tuple(roles)
for group in groups:
if not group.startswith(GROUP_PREFIX, ):
group = "%s%s" % (GROUP_PREFIX, group, )
if not group in cur_groups and not group in given_roles:
roles.append(group)
# Reset the users overview batch
self._v_batch_users = []
# Change the user itself
src = usr.getUserSourceId()
ret = self.getUserSource(src)._doChangeUser(
id, password, roles, domains, **kw)
# Invalidate user cache if necessary
usr.clearCachedGroupsAndRoles()
## authenticated = getSecurityManager().getUser()
## if id == authenticated.getId() and hasattr(authenticated, 'clearCachedGroupsAndRoles'):
## authenticated.clearCachedGroupsAndRoles(self.getUserSource(src).getUser(id))
return ret
security.declarePrivate("_updateUser")
def _updateUser(self, id, password = None, roles = None, domains = None, groups = None):
"""
_updateUser(self, id, password = None, roles = None, domains = None, groups = None)
This one should work for users AND groups.
Front-end to _doChangeUser, but with a better default value support.
We guarantee that None values will let the underlying UF keep the original ones.
This is not true for the password: some buggy UF implementation may not
handle None password correctly :-(
"""
# Get the former values if necessary. Username must be valid !
usr = self.getUser(id)
if roles is None:
# Remove invalid roles and group names
roles = usr._original_roles
roles = filter(lambda x: not x.startswith(GROUP_PREFIX), roles)
roles = filter(lambda x: x not in ('Anonymous', 'Authenticated', 'Shared', ''), roles)
else:
# Check if roles are valid
roles = filter(lambda x: x not in ('Anonymous', 'Authenticated', 'Shared', ''), roles)
vr = self.userFolderGetRoles()
for r in roles:
if not r in vr:
raise ValueError, "Invalid or inexistant role: '%s'." % (r, )
if domains is None:
domains = usr._original_domains
if groups is None:
groups = usr.getGroups(no_recurse = 1)
else:
# Check if given groups are valid
glist = self.getGroupNames()
glist.extend(map(lambda x: "%s%s" % (GROUP_PREFIX, x), glist))
for g in groups:
if not g in glist:
raise ValueError, "Invalid group: '%s'" % (g, )
# Reset the users overview batch
self._v_batch_users = []
# Change the user
return self._doChangeUser(id, password, roles, domains, groups)
security.declarePrivate("_doDelUsers")
def _doDelUsers(self, names):
"""
Delete one or more users. This should be implemented by subclasses
to do the actual deleting of users.
This won't delete groups !
"""
# Collect information about user sources
sources = {}
for name in names:
usr = self.getUser(name, __include_groups__ = 0)
if not usr:
continue # Ignore invalid user names
src = usr.getUserSourceId()
if not sources.has_key(src):
sources[src] = []
sources[src].append(name)
for src, names in sources.items():
self.getUserSource(src)._doDelUsers(names)
# Reset the users overview batch
self._v_batch_users = []
# #
# Groups interface #
# #
security.declarePrivate("_doAddGroup")
def _doAddGroup(self, name, roles, groups = (), **kw):
"""
Create a new group. Password will be randomly created, and domain will be None.
Supports nested groups.
"""
# Prepare initial data
domains = ()
password = ""
if roles is None:
roles = []
if groups is None:
groups = []
for x in range(0, 10): # Password will be 10 chars long
password = "%s%s" % (password, random.choice(string.lowercase), )
# Compute roles
roles = list(roles)
prefix = GROUP_PREFIX
gruf_groups = self.getGroupIds()
for group in groups:
if not group.startswith(prefix):
group = "%s%s" % (prefix, group, )
if group == "%s%s" % (prefix, name, ):
raise ValueError, "Infinite recursion for group '%s'." % (group, )
if not group in gruf_groups:
raise ValueError, "Invalid group: '%s' (defined groups are %s)" % (group, gruf_groups)
roles.append(group)
# Reset the users overview batch
self._v_batch_users = []
# Actual creation
return self.Groups.acl_users._doAddUser(
name, password, roles, domains, **kw
)
security.declarePrivate("_doChangeGroup")
def _doChangeGroup(self, name, roles, groups = (), **kw):
"""Modify an existing group."""
roles = list(roles or [])
groups = list(groups or [])
# Remove prefix if given
if name.startswith(self.getGroupPrefix()):
name = name[GROUP_PREFIX_LEN:]
# Check if group exists
grp = self.getGroup(name, prefixed = 0)
if grp is None:
raise ValueError, "Invalid group: '%s'" % (name,)
# Change groups affectation
cur_groups = self.getGroups()
given_roles = tuple(grp.getRoles()) + tuple(roles)
for group in groups:
if not group.startswith(GROUP_PREFIX, ):
group = "%s%s" % (GROUP_PREFIX, group, )
if group == "%s%s" % (GROUP_PREFIX, grp.id):
raise ValueError, "Cannot affect group '%s' to itself!" % (name, ) # Prevent direct inclusion of self
new_grp = self.getGroup(group)
if not new_grp:
raise ValueError, "Invalid or inexistant group: '%s'" % (group, )
if "%s%s" % (GROUP_PREFIX, grp.id) in new_grp.getGroups():
raise ValueError, "Cannot affect %s to group '%s' as it would lead to circular references." % (group, name, ) # Prevent indirect inclusion of self
if not group in cur_groups and not group in given_roles:
roles.append(group)
# Reset the users overview batch
self._v_batch_users = []
# Perform the change
domains = ""
password = ""
for x in range(0, 10): # Password will be 10 chars long
password = "%s%s" % (password, random.choice(string.lowercase), )
return self.Groups.acl_users._doChangeUser(name, password,
roles, domains, **kw)
security.declarePrivate("_updateUser")
def _updateGroup(self, name, roles = None, groups = None):
"""
_updateGroup(self, name, roles = None, groups = None)
Front-end to _doChangeUser, but with a better default value support.
We guarantee that None values will let the underlying UF keep the original ones.
This is not true for the password: some buggy UF implementation may not
handle None password correctly but we do not care for Groups.
group name can be prefixed or not
"""
# Remove prefix if given
if name.startswith(self.getGroupPrefix()):
name = name[GROUP_PREFIX_LEN:]
# Get the former values if necessary. Username must be valid !
usr = self.getGroup(name, prefixed = 0)
if roles is None:
# Remove invalid roles and group names
roles = usr._original_roles
roles = filter(lambda x: not x.startswith(GROUP_PREFIX), roles)
roles = filter(lambda x: x not in ('Anonymous', 'Authenticated', 'Shared'), roles)
if groups is None:
groups = usr.getGroups(no_recurse = 1)
# Reset the users overview batch
self._v_batch_users = []
# Change the user
return self._doChangeGroup(name, roles, groups)
security.declarePrivate("_doDelGroup")
def _doDelGroup(self, name):
"""Delete one user."""
# Remove prefix if given
if name.startswith(self.getGroupPrefix()):
name = name[GROUP_PREFIX_LEN:]
# Reset the users overview batch
self._v_batch_users = []
# Delete it
return self.Groups.acl_users._doDelUsers([name])
security.declarePrivate("_doDelGroups")
def _doDelGroups(self, names):
"""Delete one or more users."""
for group in names:
if not self.getGroupByName(group, None):
continue # Ignore invalid groups
self._doDelGroup(group)
# #
# Pretty Management form methods #
# #
security.declarePublic('getGRUFVersion')
def getGRUFVersion(self,):
"""
getGRUFVersion(self,) => Return human-readable GRUF version as a string.
"""
rev_date = "$Date: 2004/09/06 09:44:47 $"[7:-2]
return "%s / Revised %s" % (version__, rev_date)
reset_entry = "__None__" # Special entry used for reset
security.declareProtected(Permissions.manage_users, "changeUser")
def changeUser(self, user, groups = [], roles = [], REQUEST = {}, ):
"""
changeUser(self, user, groups = [], roles = [], REQUEST = {}, ) => used in ZMI
"""
obj = self.getUser(user)
if obj.isGroup():
self._updateGroup(name = user, groups = groups, roles = roles, )
else:
self._updateUser(id = user, groups = groups, roles = roles, )
if REQUEST.has_key('RESPONSE'):
return REQUEST.RESPONSE.redirect(self.absolute_url() + "/" + obj.getId() + "/manage_workspace")
security.declareProtected(Permissions.manage_users, "deleteUser")
def deleteUser(self, user, REQUEST = {}, ):
"""
deleteUser(self, user, REQUEST = {}, ) => used in ZMI
"""
pass
security.declareProtected(Permissions.manage_users, "changeOrCreateUsers")
def changeOrCreateUsers(self, users = [], groups = [], roles = [], new_users = [], default_password = '', REQUEST = {}, ):
"""
changeOrCreateUsers => affect roles & groups to users and/or create new users
All parameters are strings or lists (NOT tuples !).
NO CHECKING IS DONE. This is an utility method, it's not part of the official API.
"""
# Manage roles / groups deletion
del_roles = 0
del_groups = 0
if self.reset_entry in roles:
roles.remove(self.reset_entry)
del_roles = 1
if self.reset_entry in groups:
groups.remove(self.reset_entry)
del_groups = 1
if not roles and not del_roles:
roles = None # None instead of [] to avoid deletion
add_roles = []
else:
add_roles = roles
if not groups and not del_groups:
groups = None
add_groups = []
else:
add_groups = groups
# Passwords management
passwords_list = []
# Create brand new users
for new in new_users:
# Strip name
name = string.strip(new)
if not name:
continue
# Avoid erasing former users
if name in map(lambda x: x.getId(), self.getUsers()):
continue
# Use default password or generate a random one
if default_password:
password = default_password
else:
password = ""
for x in range(0, 8): # Password will be 8 chars long
password = "%s%s" % (password, random.choice("ABCDEFGHJKMNPQRSTUVWXYZabcdefghijkmnpqrstuvwxyz23456789"), )
self._doAddUser(name, password, add_roles, (), add_groups, )
# Store the newly created password
passwords_list.append({'name':name, 'password':password})
# Update existing users
for user in users:
self._updateUser(id = user, groups = groups, roles = roles, )
# Redirect if no users have been created
if not passwords_list:
if REQUEST.has_key('RESPONSE'):
return REQUEST.RESPONSE.redirect(self.absolute_url() + "/manage_users")
# Show passwords form
REQUEST.set('USER_PASSWORDS', passwords_list)
return self.manage_newusers(None, self)
security.declareProtected(Permissions.manage_users, "deleteUsers")
def deleteUsers(self, users = [], REQUEST = {}):
"""
deleteUsers => explicit
All parameters are strings. NO CHECKING IS DONE. This is an utility method !
"""
# Delete them
self._doDelUsers(users, )
# Redirect
if REQUEST.has_key('RESPONSE'):
return REQUEST.RESPONSE.redirect(self.absolute_url() + "/manage_users")
security.declareProtected(Permissions.manage_users, "changeOrCreateGroups")
def changeOrCreateGroups(self, groups = [], roles = [], nested_groups = [], new_groups = [], REQUEST = {}, ):
"""
changeOrCreateGroups => affect roles to groups and/or create new groups
All parameters are strings. NO CHECKING IS DONE. This is an utility method !
"""
# Manage roles / groups deletion
del_roles = 0
del_groups = 0
if self.reset_entry in roles:
roles.remove(self.reset_entry)
del_roles = 1
if self.reset_entry in nested_groups:
nested_groups.remove(self.reset_entry)
del_groups = 1
if not roles and not del_roles:
roles = None # None instead of [] to avoid deletion
add_roles = []
else:
add_roles = roles
if not nested_groups and not del_groups:
nested_groups = None
add_groups = []
else:
add_groups = nested_groups
# Create brand new groups
for new in new_groups:
name = string.strip(new)
if not name:
continue
self._doAddGroup(name, roles, groups = add_groups)
# Update existing groups
for group in groups:
self._updateGroup(group, roles = roles, groups = nested_groups)
# Redirect
if REQUEST.has_key('RESPONSE'):
return REQUEST.RESPONSE.redirect(self.absolute_url() + "/manage_groups")
security.declareProtected(Permissions.manage_users, "deleteGroups")
def deleteGroups(self, groups = [], REQUEST = {}):
"""
deleteGroups => explicit
All parameters are strings. NO CHECKING IS DONE. This is an utility method !
"""
# Delete groups
for group in groups:
self._doDelGroup(group, )
# Redirect
if REQUEST.has_key('RESPONSE'):
return REQUEST.RESPONSE.redirect(self.absolute_url() + "/manage_groups")
# #
# Local Roles Acquisition Blocking #
# Those two methods perform their own security check. #
# #
security.declarePublic("acquireLocalRoles")
def acquireLocalRoles(self, folder, status):
"""
Enable or disable local role acquisition on the specified folder.
If status is true, it will enable, else it will disable.
Note that the user _must_ have the change_permissions permission on the
folder to allow changes on it.
If you want to use this code from a product, please use _acquireLocalRoles()
instead: this private method won't check security on the destination folder.
It's usually a bad idea to use _acquireLocalRoles() directly in your product,
but, well, after all, you do what you want ! :^)
"""
# Perform security check on destination folder
if not getSecurityManager().checkPermission(Permissions.change_permissions, folder):
raise Unauthorized(name = "acquireLocalRoles")
return self._acquireLocalRoles(folder, status)
security.declarePrivate("acquireLocalRolesUnrestricted")
def _acquireLocalRoles(self, folder, status):
"""Same as _acquireLocalRoles() but won't perform security check on the folder.
"""
# Set the variable (or unset it if it's defined)
if not status:
folder.__ac_local_roles_block__ = 1
else:
if getattr(folder, '__ac_local_roles_block__', None):
folder.__ac_local_roles_block__ = None
security.declarePublic("isLocalRoleAcquired")
def isLocalRoleAcquired(self, folder):
"""Return true if the specified folder allows local role acquisition.
"""
if getattr(folder, '__ac_local_roles_block__', None):
return 0
return 1
# #
# Security audit and info methods #
# #
# This method normally has NOT to be public ! It is because of a CMF inconsistancy.
# folder_localrole_form is accessible to users who have the manage_properties permissions
# (according to portal_types/Folder/Actions information). This is silly !
# folder_localrole_form should be, in CMF, accessible only to those who have the
# manage_users permissions instead of manage_properties permissions.
# This is yet another one CMF bug we have to care about.
# To deal with that in Plone2.1, we check for a particular permission on the destination
# object _inside_ the method.
security.declarePublic("getLocalRolesForDisplay")
def getLocalRolesForDisplay(self, object):
"""This is used for plone's local roles display
This method returns a tuple (massagedUsername, roles, userType, actualUserName).
This method is protected by the 'access content information' permission. We may
change that if it's too permissive..."""
# Perform security check on destination object
if not getSecurityManager().checkPermission(Permissions.access_contents_information, object):
raise Unauthorized(name = "getLocalRolesForDisplay")
return self._getLocalRolesForDisplay(object)
def _getLocalRolesForDisplay(self, object):
"""This is used for plone's local roles display
This method returns a tuple (massagedUsername, roles, userType, actualUserName)"""
result = []
local_roles = object.get_local_roles()
prefix = self.getGroupPrefix()
for one_user in local_roles:
massagedUsername = username = one_user[0]
roles = one_user[1]
userType = 'user'
if prefix:
if self.getGroup(username) or \
self.getGroup('%s%s' % (prefix, username)):
if username.startswith(prefix):
massagedUsername = username[len(prefix):]
userType = 'group'
else:
userType = 'unknown'
result.append((massagedUsername, roles, userType, username))
return tuple(result)
security.declarePublic("getAllLocalRoles")
def getAllLocalRoles(self, object):
"""getAllLocalRoles(self, object): return a dictionnary {useratom_id: roles} of local
roles defined AND herited at a certain point. This will handle lr-blocking
as well.
"""
# Perform security check on destination object
if not getSecurityManager().checkPermission(Permissions.change_permissions, object):
raise Unauthorized(name = "getAllLocalRoles")
return self._getAllLocalRoles(object)
def _getAllLocalRoles(self, object):
"""getAllLocalRoles(self, object): return a dictionnary {useratom_id: roles} of local
roles defined AND herited at a certain point. This will handle lr-blocking
as well.
"""
# Modified from AccessControl.User.getRolesInContext().
merged = {}
object = getattr(object, 'aq_inner', object)
while 1:
if hasattr(object, '__ac_local_roles__'):
dict = object.__ac_local_roles__ or {}
if callable(dict): dict = dict()
for k, v in dict.items():
if not merged.has_key(k):
merged[k] = {}
for role in v:
merged[k][role] = 1
if not self.isLocalRoleAcquired(object):
break
if hasattr(object, 'aq_parent'):
object=object.aq_parent
object=getattr(object, 'aq_inner', object)
continue
if hasattr(object, 'im_self'):
object=object.im_self
object=getattr(object, 'aq_inner', object)
continue
break
for key, value in merged.items():
merged[key] = value.keys()
return merged
# Plone-specific security matrix computing method.
security.declarePublic("getAllLocalRoles")
def getPloneSecurityMatrix(self, object):
"""getPloneSecurityMatrix(self, object): return a list of dicts of the current object
and all its parents. The list is sorted with portal object first.
Each dict has the following structure:
{
depth: (0 for portal root, 1 for 1st-level folders and so on),
id:
title:
icon:
absolute_url:
security_permission: true if current user can change security on this object
state: (workflow state)
acquired_local_roles: 0 if local role blocking is enabled for this folder
roles: {
'role1': {
'all_local_roles': [r1, r2, r3, ] (all defined local roles, including parent ones)
'defined_local_roles': [r3, ] (local-defined only local roles)
'permissions': ['Access contents information', 'Modify portal content', ] (only a subset)
'same_permissions': true if same permissions as the parent
'same_all_local_roles': true if all_local_roles is the same as the parent
'same_defined_local_roles': true if defined_local_roles is the same as the parent
},
'role2': {...},
},
}
"""
# Perform security check on destination object
if not getSecurityManager().checkPermission(Permissions.access_contents_information, object):
raise Unauthorized(name = "getPloneSecurityMatrix")
# Basic inits
mt = self.portal_membership
# Fetch all possible roles in the portal
all_roles = ['Anonymous'] + mt.getPortalRoles()
# Fetch parent folders list until the portal
all_objects = []
cur_object = object
while 1:
if not getSecurityManager().checkPermission(Permissions.access_contents_information, cur_object):
raise Unauthorized(name = "getPloneSecurityMatrix")
all_objects.append(cur_object)
if cur_object.meta_type == "Plone Site":
break
cur_object = object.aq_parent
all_objects.reverse()
# Scan those folders to get all the required information about them
ret = []
previous = None
count = 0
for obj in all_objects:
# Basic information
current = {
"depth": count,
"id": obj.getId(),
"title": obj.Title(),
"icon": obj.getIcon(),
"absolute_url": obj.absolute_url(),
"security_permission": getSecurityManager().checkPermission(Permissions.change_permissions, obj),
"acquired_local_roles": self.isLocalRoleAcquired(obj),
"roles": {},
"state": "XXX TODO XXX", # XXX TODO
}
count += 1
# Workflow state
# XXX TODO
# Roles
all_local_roles = {}
local_roles = self._getAllLocalRoles(obj)
for user, roles in self._getAllLocalRoles(obj).items():
for role in roles:
if not all_local_roles.has_key(role):
all_local_roles[role] = {}
all_local_roles[role][user] = 1
defined_local_roles = {}
if hasattr(obj.aq_base, 'get_local_roles'):
for user, roles in obj.get_local_roles():
for role in roles:
if not defined_local_roles.has_key(role):
defined_local_roles[role] = {}
defined_local_roles[role][user] = 1
for role in all_roles:
all = all_local_roles.get(role, {}).keys()
defined = defined_local_roles.get(role, {}).keys()
all.sort()
defined.sort()
same_all_local_roles = 0
same_defined_local_roles = 0
if previous:
if previous['roles'][role]['all_local_roles'] == all:
same_all_local_roles = 1
if previous['roles'][role]['defined_local_roles'] == defined:
same_defined_local_roles = 1
current['roles'][role] = {
"all_local_roles": all,
"defined_local_roles": defined,
"same_all_local_roles": same_all_local_roles,
"same_defined_local_roles": same_defined_local_roles,
"permissions": [], # XXX TODO
}
ret.append(current)
previous = current
return ret
security.declareProtected(Permissions.manage_users, "computeSecuritySettings")
def computeSecuritySettings(self, folders, actors, permissions, cache = {}):
"""
computeSecuritySettings(self, folders, actors, permissions, cache = {}) => return a structure that is suitable for security audit Page Template.
- folders is the structure returned by getSiteTree()
- actors is the structure returned by listUsersAndRoles()
- permissions is ((id: permission), (id: permission), ...)
- cache is passed along requests to make computing faster
"""
# Scan folders and actors to get the relevant information
usr_cache = {}
for id, depth, path in folders:
folder = self.unrestrictedTraverse(path)
for kind, actor, display, handle, html in actors:
if kind in ("user", "group"):
# Init structure
if not cache.has_key(path):
cache[path] = {(kind, actor): {}}
elif not cache[path].has_key((kind, actor)):
cache[path][(kind, actor)] = {}
else:
cache[path][(kind, actor)] = {}
# Split kind into groups and get individual role information
perm_keys = []
usr = usr_cache.get(actor)
if not usr:
usr = self.getUser(actor)
usr_cache[actor] = usr
roles = usr.getRolesInContext(folder,)
for role in roles:
for perm_key in self.computeSetting(path, folder, role, permissions, cache).keys():
cache[path][(kind, actor)][perm_key] = 1
else:
# Get role information
self.computeSetting(path, folder, actor, permissions, cache)
# Return the computed cache
return cache
security.declareProtected(Permissions.manage_users, "computeSetting")
def computeSetting(self, path, folder, actor, permissions, cache):
"""
computeSetting(......) => used by computeSecuritySettings to populate the cache for ROLES
"""
# Avoid doing things twice
kind = "role"
if cache.get(path, {}).get((kind, actor), None) is not None:
return cache[path][(kind, actor)]
# Initilize cache structure
if not cache.has_key(path):
cache[path] = {(kind, actor): {}}
elif not cache[path].has_key((kind, actor)):
cache[path][(kind, actor)] = {}
# Analyze permission settings
ps = folder.permission_settings()
for perm_key, permission in permissions:
# Check acquisition of permission setting.
can = 0
acquired = 0
for p in ps:
if p['name'] == permission:
acquired = not not p['acquire']
# If acquired, call the parent recursively
if acquired:
parent = folder.aq_parent.getPhysicalPath()
perms = self.computeSetting(parent, self.unrestrictedTraverse(parent), actor, permissions, cache)
can = perms.get(perm_key, None)
# Else, check permission here
else:
for p in folder.rolesOfPermission(permission):
if p['name'] == "Anonymous":
# If anonymous is allowed, then everyone is allowed
if p['selected']:
can = 1
break
if p['name'] == actor:
if p['selected']:
can = 1
break
# Extend the data structure according to 'can' setting
if can:
cache[path][(kind, actor)][perm_key] = 1
return cache[path][(kind, actor)]
security.declarePrivate('_getNextHandle')
def _getNextHandle(self, index):
"""
_getNextHandle(self, index) => utility function to
get an unique handle for each legend item.
"""
return "%02d" % index
security.declareProtected(Permissions.manage_users, "listUsersAndRoles")
def listUsersAndRoles(self,):
"""
listUsersAndRoles(self,) => list of tuples
This method is used by the Security Audit page.
XXX HAS TO BE OPTIMIZED
"""
request = self.REQUEST
display_roles = request.get('display_roles', 0)
display_groups = request.get('display_groups', 0)
display_users = request.get('display_users', 0)
role_index = 0
user_index = 0
group_index = 0
ret = []
# Collect roles
if display_roles:
for r in self.aq_parent.valid_roles():
handle = "R%02d" % role_index
role_index += 1
ret.append(('role', r, r, handle, r))
# Collect users
if display_users:
for u in map(lambda x: x.getId(), self.getPureUsers()):
obj = self.getUser(u)
html = obj.asHTML()
handle = "U%02d" % user_index
user_index += 1
ret.append(('user', u, u, handle, html))
if display_groups:
for u in self.getGroupNames():
obj = self.getUser(u)
handle = "G%02d" % group_index
html = obj.asHTML()
group_index += 1
ret.append(('group', u, obj.getUserNameWithoutGroupPrefix(), handle, html))
# Return list
return ret
security.declareProtected(Permissions.manage_users, "getSiteTree")
def getSiteTree(self, obj=None, depth=0):
"""
getSiteTree(self, obj=None, depth=0) => special structure
This is used by the security audit page
"""
ret = []
if not obj:
obj = self.aq_parent
ret.append([obj.getId(), depth, string.join(obj.getPhysicalPath(), '/')])
for sub in obj.objectValues():
try:
# Ignore user folders
if sub.getId() in ('acl_users', ):
continue
# Ignore portal_* stuff
if sub.getId()[:len('portal_')] == 'portal_':
continue
if sub.isPrincipiaFolderish:
ret.extend(self.getSiteTree(sub, depth + 1))
except:
# We ignore exceptions
pass
return ret
security.declareProtected(Permissions.manage_users, "listAuditPermissions")
def listAuditPermissions(self,):
"""
listAuditPermissions(self,) => return a list of eligible permissions
"""
ps = self.permission_settings()
return map(lambda p: p['name'], ps)
security.declareProtected(Permissions.manage_users, "getDefaultPermissions")
def getDefaultPermissions(self,):
"""
getDefaultPermissions(self,) => return default R & W permissions for security audit.
"""
# If there's a Plone site in the above folder, use plonish permissions
hasPlone = 0
p = self.aq_parent
if p.meta_type == "CMF Site":
hasPlone = 1
else:
for obj in p.objectValues():
if obj.meta_type == "CMF Site":
hasPlone = 1
break
if hasPlone:
return {'R': 'View',
'W': 'Modify portal content',
}
else:
return {'R': 'View',
'W': 'Change Images and Files',
}
# #
# Users/Groups tree view #
# (ZMI only) #
# #
security.declarePrivate('getTreeInfo')
def getTreeInfo(self, usr, dict = {}):
"utility method"
# Prevend infinite recursions
name = usr.getUserName()
if dict.has_key(name):
return
dict[name] = {}
# Properties
noprefix = usr.getUserNameWithoutGroupPrefix()
is_group = usr.isGroup()
if usr.isGroup():
icon = string.join(self.getPhysicalPath(), '/') + '/img_group'
## icon = self.absolute_url() + '/img_group'
else:
icon = ' img_user'
## icon = self.absolute_url() + '/img_user'
# Subobjects
belongs_to = []
for grp in usr.getGroups(no_recurse = 1):
belongs_to.append(grp)
self.getTreeInfo(self.getGroup(grp))
# Append (and return) structure
dict[name] = {
"name": noprefix,
"is_group": is_group,
"icon": icon,
"belongs_to": belongs_to,
}
return dict
security.declarePrivate("tpValues")
def tpValues(self):
# Avoid returning HUUUUUUGE lists
# Use the cache at first
if self._v_no_tree and self._v_cache_no_tree > time.time():
return [] # Do not use the tree
# XXX - I DISABLE THE TREE BY NOW (Pb. with icon URL)
return []
# Then, use a simple computation to determine opportunity to use the tree or not
ngroups = len(self.getGroupNames())
if ngroups > MAX_TREE_USERS_AND_GROUPS:
self._v_no_tree = 1
self._v_cache_no_tree = time.time() + TREE_CACHE_TIME
return []
nusers = len(self.getUsers())
if ngroups + nusers > MAX_TREE_USERS_AND_GROUPS:
meth_list = self.getGroups
else:
meth_list = self.getUsers
self._v_no_tree = 0
# Get top-level user and groups list
tree_dict = {}
top_level_names = []
top_level = []
for usr in meth_list():
self.getTreeInfo(usr, tree_dict)
if not usr.getGroups(no_recurse = 1):
top_level_names.append(usr.getUserName())
for id in top_level_names:
top_level.append(treeWrapper(id, tree_dict))
# Return this top-level list
top_level.sort(lambda x, y: cmp(x.sortId(), y.sortId()))
return top_level
def tpId(self,):
return self.getId()
# #
# Direct traversal to user or group info #
# #
def manage_workspace(self, REQUEST):
"""
manage_workspace(self, REQUEST) => Overrided to allow direct user or group traversal
via the left tree view.
"""
path = string.split(REQUEST.PATH_INFO, '/')[:-1]
username = path[-1]
# Use individual usr/grp management screen (only if name is passed along the mgt URL)
if username != "acl_users":
if username in map(lambda x: x.getId(), self.getUsers()):
REQUEST.set('username', username)
REQUEST.set('MANAGE_TABS_NO_BANNER', '1') # Prevent use of the manage banner
return self.restrictedTraverse('manage_user')()
# Default management screen
return self.restrictedTraverse('manage_overview')()
# Tree caching information
_v_no_tree = 0
_v_cache_no_tree = 0
_v_cache_tree = (0, [])
def __bobo_traverse__(self, request, name):
"""
Looks for the name of a user or a group.
This applies only if users list is not huge.
"""
# Check if it's an attribute
if hasattr(self.aq_base, name, ):
return getattr(self, name)
# It's not an attribute, maybe it's a user/group
# (this feature is used for the tree)
if name.startswith('_'):
pass # Do not fetch users
elif name.startswith('manage_'):
pass # Do not fetch users
elif name in INVALID_USER_NAMES:
pass # Do not fetch users
else:
# Only try to get users is fetch_user is true.
# This is only for performance reasons.
# The following code block represent what we want to minimize
if self._v_cache_tree[0] < time.time():
un = map(lambda x: x.getId(), self.getUsers()) # This is the cost we want to avoid
self._v_cache_tree = (time.time() + TREE_CACHE_TIME, un, )
else:
un = self._v_cache_tree[1]
# Get the user if we can
if name in un:
self._v_no_tree = 0
return self
# Force getting the user if we must
if request.get("FORCE_USER"):
self._v_no_tree = 0
return self
# This will raise if it's not possible to acquire 'name'
return getattr(self, name, )
# #
# USERS / GROUPS BATCHING (ZMI SCREENS) #
# #
_v_batch_users = []
security.declareProtected(Permissions.view_management_screens, "listUsersBatches")
def listUsersBatches(self,):
"""
listUsersBatches(self,) => return a list of (start, end) tuples.
Return None if batching is not necessary
"""
# Time-consuming stuff !
un = map(lambda x: x.getId(), self.getPureUsers())
if len(un) <= MAX_USERS_PER_PAGE:
return None
un.sort()
# Split this list into small groups if necessary
ret = []
idx = 0
l_un = len(un)
nbatches = int(math.ceil(l_un / float(MAX_USERS_PER_PAGE)))
for idx in range(0, nbatches):
first = idx * MAX_USERS_PER_PAGE
last = first + MAX_USERS_PER_PAGE - 1
if last >= l_un:
last = l_un - 1
# Append a tuple (not dict) to avoid too much memory consumption
ret.append((first, last, un[first], un[last]))
# Cache & return it
self._v_batch_users = un
return ret
security.declareProtected(Permissions.view_management_screens, "getUsersBatchTable")
def listUsersBatchTable(self,):
"""
listUsersBatchTable(self,) => Same a mgt screens but divided into sublists to
present them into 5 columns.
XXX have to merge this w/getUsersBatch to make it in one single pass
"""
# Iterate
ret = []
idx = 0
current = []
for rec in (self.listUsersBatches() or []):
if not idx % 5:
if current:
ret.append(current)
current = []
current.append(rec)
idx += 1
if current:
ret.append(current)
return ret
security.declareProtected(Permissions.view_management_screens, "getUsersBatch")
def getUsersBatch(self, start):
"""
getUsersBatch(self, start) => user list
"""
# Rebuild the list if necessary
if not self._v_batch_users:
un = map(lambda x: x.getId(), self.getPureUsers())
self._v_batch_users = un
# Return the batch
end = start + MAX_USERS_PER_PAGE
ids = self._v_batch_users[start:end]
ret = []
for id in ids:
usr = self.getUser(id)
if usr: # Prevent adding invalid users
ret.append(usr)
return ret
# #
# Multiple sources management #
# #
# Arrows
img_up_arrow = ImageFile.ImageFile('www/up_arrow.gif', globals())
img_down_arrow = ImageFile.ImageFile('www/down_arrow.gif', globals())
img_up_arrow_grey = ImageFile.ImageFile('www/up_arrow_grey.gif', globals())
img_down_arrow_grey = ImageFile.ImageFile('www/down_arrow_grey.gif', globals())
security.declareProtected(Permissions.manage_users, "listUserSources")
def listUserSources(self, ):
"""
listUserSources(self, ) => Return a list of userfolder objects
Only return VALID (ie containing an acl_users) user sources if all is None
XXX HAS TO BE OPTIMIZED VERY MUCH!
We add a check in debug mode to ensure that invalid sources won't be added
to the list.
"""
ret = []
if DEBUG_MODE:
for src in self.objectValues(['GRUFUsers']):
if 'acl_users' in src.objectIds():
if getattr(aq_base(src.acl_users), 'authenticate', None): # Additional check in debug mode
ret.append(src.acl_users) # we cannot use restrictedTraverse here because
# of infinite recursion issues.
else:
for src in self.objectValues(['GRUFUsers']):
if 'acl_users' in src.objectIds():
ret.append(src.acl_users) # we cannot use restrictedTraverse here because
ret.sort(lambda x,y: cmp(x.aq_parent.id, y.aq_parent.id)) # XXX speed improvements to do there
return ret
security.declareProtected(Permissions.manage_users, "listUserSourceFolders")
def listUserSourceFolders(self, ):
"""
listUserSources(self, ) => Return a list of GRUFUsers objects
"""
ret = []
for src in self.objectValues(['GRUFUsers']):
ret.append(src)
ret.sort(lambda x,y: cmp(x.id, y.id))
return ret
security.declarePrivate("getUserSource")
def getUserSource(self, id):
"""
getUserSource(self, id) => GRUFUsers.acl_users object.
Raises if no acl_users available
"""
return getattr(self, id).acl_users
security.declarePrivate("getUserSourceFolder")
def getUserSourceFolder(self, id):
"""
getUserSourceFolder(self, id) => GRUFUsers object
"""
return getattr(self, id)
security.declareProtected(Permissions.manage_users, "addUserSource")
def addUserSource(self, factory_uri, REQUEST = {}, *args, **kw):
"""
addUserSource(self, factory_uri, REQUEST = {}, *args, **kw) => redirect
Adds the specified user folder
"""
# Get the initial Users id
ids = self.objectIds('GRUFUsers')
if ids:
ids.sort()
if ids == ['Users',]:
last = 0
else:
last = int(ids[-1][-2:])
next_id = "Users%02d" % (last + 1, )
else:
next_id = "Users"
# Add the GRUFFolder object
uf = GRUFFolder.GRUFUsers(id = next_id)
self._setObject(next_id, uf)
## # If we use ldap, tag it
## if string.find(factory_uri.lower(), "ldap") > -1:
## self._haveLDAPUF += 1
# Add its underlying UserFolder
# If we're called TTW, uses a redirect else tries to call the UF factory directly
if REQUEST.has_key('RESPONSE'):
return REQUEST.RESPONSE.redirect("%s/%s/%s" % (self.absolute_url(), next_id, factory_uri))
return getattr(self, next_id).unrestrictedTraverse(factory_uri)(*args, **kw)
security.declareProtected(Permissions.manage_users, "deleteUserSource")
def deleteUserSource(self, id = None, REQUEST = {}):
"""
deleteUserSource(self, id = None, REQUEST = {}) => Delete the specified user source
"""
# Check the source id
if type(id) != type('s'):
raise ValueError, "You must choose a valid source to delete and confirm it."
# Delete it
self.manage_delObjects([id,])
if REQUEST.has_key('RESPONSE'):
return REQUEST.RESPONSE.redirect(self.absolute_url() + '/manage_GRUFSources')
security.declareProtected(Permissions.manage_users, "getDefaultUserSource")
def getDefaultUserSource(self,):
"""
getDefaultUserSource(self,) => acl_users object
Return default user source for user writing.
XXX By now, the FIRST source is the default one. This may change in the future.
"""
lst = self.listUserSources()
if not lst:
raise RuntimeError, "No valid User Source to add users in."
return lst[0]
security.declareProtected(Permissions.manage_users, "listAvailableUserSources")
def listAvailableUserSources(self, filter_permissions = 1, filter_classes = 1):
"""
listAvailableUserSources(self, filter_permissions = 1, filter_classes = 1) => tuples (name, factory_uri)
List UserFolder replacement candidates.
- if filter_classes is true, return only ones which have a base UserFolder class
- if filter_permissions, return only types the user has rights to add
"""
ret = []
# Fetch candidate types
user = getSecurityManager().getUser()
meta_types = []
if callable(self.all_meta_types):
all=self.all_meta_types()
else:
all=self.all_meta_types
for meta_type in all:
if filter_permissions and meta_type.has_key('permission'):
if user.has_permission(meta_type['permission'],self):
meta_types.append(meta_type)
else:
meta_types.append(meta_type)
# Keep only, if needed, BasicUserFolder-derived classes
for t in meta_types:
if t['name'] == self.meta_type:
continue # Do not keep GRUF ! ;-)
if filter_classes:
try:
if t.get('instance', None) and t['instance'].isAUserFolder:
ret.append((t['name'], t['action']))
continue
if t.get('instance', None) and class_utility.isBaseClass(AccessControl.User.BasicUserFolder, t['instance']):
ret.append((t['name'], t['action']))
continue
except AttributeError:
pass # We ignore 'invalid' instances (ie. that wouldn't define a __base__ attribute)
else:
ret.append((t['name'], t['action']))
return tuple(ret)
security.declareProtected(Permissions.manage_users, "moveUserSourceUp")
def moveUserSourceUp(self, id, REQUEST = {}):
"""
moveUserSourceUp(self, id, REQUEST = {}) => used in management screens
try to get ids as consistant as possible
"""
# List and sort sources and preliminary checks
ids = self.objectIds('GRUFUsers')
ids.sort()
if not ids or not id in ids:
raise ValueError, "Invalid User Source: '%s'" % (id,)
# Find indexes to swap
src_index = ids.index(id)
if src_index == 0:
raise ValueError, "Cannot move '%s' User Source up." % (id, )
dest_index = src_index - 1
# Find numbers to swap, fix them if they have more than 1 as offset
if ids[dest_index] == 'Users':
dest_num = 0
else:
dest_num = int(ids[dest_index][-2:])
src_num = dest_num + 1
# Get ids
src_id = id
if dest_num == 0:
dest_id = "Users"
else:
dest_id = "Users%02d" % (dest_num,)
tmp_id = "%s_" % (dest_id, )
# Perform the swap
self._renameUserSource(src_id, tmp_id)
self._renameUserSource(dest_id, src_id)
self._renameUserSource(tmp_id, dest_id)
# Return back to the forms
if REQUEST.has_key('RESPONSE'):
return REQUEST.RESPONSE.redirect(self.absolute_url() + '/manage_GRUFSources')
security.declareProtected(Permissions.manage_users, "moveUserSourceDown")
def moveUserSourceDown(self, id, REQUEST = {}):
"""
moveUserSourceDown(self, id, REQUEST = {}) => used in management screens
try to get ids as consistant as possible
"""
# List and sort sources and preliminary checks
ids = self.objectIds('GRUFUsers')
ids.sort()
if not ids or not id in ids:
raise ValueError, "Invalid User Source: '%s'" % (id,)
# Find indexes to swap
src_index = ids.index(id)
if src_index == len(ids) - 1:
raise ValueError, "Cannot move '%s' User Source up." % (id, )
dest_index = src_index + 1
# Find numbers to swap, fix them if they have more than 1 as offset
if id == 'Users':
dest_num = 1
else:
dest_num = int(ids[dest_index][-2:])
src_num = dest_num - 1
# Get ids
src_id = id
if dest_num == 0:
dest_id = "Users"
else:
dest_id = "Users%02d" % (dest_num,)
tmp_id = "%s_" % (dest_id, )
# Perform the swap
self._renameUserSource(src_id, tmp_id)
self._renameUserSource(dest_id, src_id)
self._renameUserSource(tmp_id, dest_id)
# Return back to the forms
if REQUEST.has_key('RESPONSE'):
return REQUEST.RESPONSE.redirect(self.absolute_url() + '/manage_GRUFSources')
security.declarePrivate('_renameUserSource')
def _renameUserSource(self, id, new_id, ):
"""
Rename a particular sub-object.
Taken fro CopySupport.manage_renameObject() code, modified to disable verifications.
"""
try: self._checkId(new_id)
except: raise CopyError, MessageDialog(
title='Invalid Id',
message=sys.exc_info()[1],
action ='manage_main')
ob=self._getOb(id)
## if not ob.cb_isMoveable():
## raise "Copy Error", eNotSupported % id
## self._verifyObjectPaste(ob) # This is what we disable
try: ob._notifyOfCopyTo(self, op=1)
except: raise CopyError, MessageDialog(
title='Rename Error',
message=sys.exc_info()[1],
action ='manage_main')
self._delObject(id)
ob = aq_base(ob)
ob._setId(new_id)
# Note - because a rename always keeps the same context, we
# can just leave the ownership info unchanged.
self._setObject(new_id, ob, set_owner=0)
security.declareProtected(Permissions.manage_users, "replaceUserSources")
def replaceUserSource(self, id = None, new_factory = None, REQUEST = {}, *args, **kw):
"""
replaceUserSource(self, id = None, new_factory = None, REQUEST = {}, *args, **kw) => perform user source replacement
If new_factory is None, find it inside REQUEST (useful for ZMI screens)
"""
# Check the source id
if type(id) != type('s'):
raise ValueError, "You must choose a valid source to replace and confirm it."
# Retreive factory if not explicitly passed
if not new_factory:
for record in REQUEST.get("source_rec", []):
if record['id'] == id:
new_factory = record['new_factory']
break
if not new_factory:
raise ValueError, "You must select a new User Folder type."
# Delete the former one
us = getattr(self, id)
if "acl_users" in us.objectIds():
us.manage_delObjects(['acl_users'])
## # If we use ldap, tag it
## if string.find(new_factory.lower(), "ldap") > -1:
## self._haveLDAPUF += 1
# Re-create the underlying UserFolder
# If we're called TTW, uses a redirect else tries to call the UF factory directly
if REQUEST.has_key('RESPONSE'):
return REQUEST.RESPONSE.redirect("%s/%s/%s" % (self.absolute_url(), id, new_factory))
return us.unrestrictedTraverse(new_factory)(*args, **kw) # XXX minor security pb ?
class treeWrapper:
"""
treeWrapper: Wrapper around user/group objects for the tree
"""
def __init__(self, id, tree, parents = []):
"""
__init__(self, id, tree, parents = []) => wraps the user object for dtml-tree
"""
# Prepare self-contained information
self._id = id
self.name = tree[id]['name']
self.icon = tree[id]['icon']
self.is_group = tree[id]['is_group']
parents.append(id)
self.path = parents
# Prepare subobjects information
subobjects = []
for grp_id in tree.keys():
if id in tree[grp_id]['belongs_to']:
subobjects.append(treeWrapper(grp_id, tree, parents))
subobjects.sort(lambda x, y: cmp(x.sortId(), y.sortId()))
self.subobjects = subobjects
def id(self,):
return self.name
def sortId(self,):
if self.is_group:
return "__%s" % (self._id,)
else:
return self._id
def tpValues(self,):
"""
Return 'subobjects'
"""
return self.subobjects
def tpId(self,):
return self._id
def tpURL(self,):
return self.tpId()
InitializeClass(GroupUserFolder)
|