mirror of
https://salsa.debian.org/freeipa-team/freeipa.git
synced 2025-02-25 18:55:28 -06:00
Fix aci plugin, enhance aci parsing capabilities, add user group support
- The aci plugin didn't quite work with the new ldap2 backend. - We already walk through the target part of the ACI syntax so skip that in the regex altogether. This now lets us handle all current ACIs in IPA (some used to be ignored/skipped) - Add support for user groups so one can do v1-style delegation (group A can write attributes x,y,z in group B). It is actually quite a lot more flexible than that but you get the idea) - Improve error messages in the aci library - Add a bit of documentation to the aci plugin
This commit is contained in:
committed by
Jason Gerard DeRose
parent
e4877c946f
commit
0d70c68395
@@ -24,7 +24,7 @@ import ldap
|
|||||||
# The Python re module doesn't do nested parenthesis
|
# The Python re module doesn't do nested parenthesis
|
||||||
|
|
||||||
# Break the ACI into 3 pieces: target, name, permissions/bind_rules
|
# Break the ACI into 3 pieces: target, name, permissions/bind_rules
|
||||||
ACIPat = re.compile(r'\s*(\([^\)]*\)+)\s*\(version\s+3.0\s*;\s*acl\s+\"([^\"]*)\"\s*;\s*([^;]*);\s*\)', re.UNICODE)
|
ACIPat = re.compile(r'\(version\s+3.0\s*;\s*acl\s+\"([^\"]*)\"\s*;\s*([^;]*);\s*\)', re.UNICODE)
|
||||||
|
|
||||||
# Break the permissions/bind_rules out
|
# Break the permissions/bind_rules out
|
||||||
PermPat = re.compile(r'(\w+)\s*\((.*)\)\s+(.*)', re.UNICODE)
|
PermPat = re.compile(r'(\w+)\s*\((.*)\)\s+(.*)', re.UNICODE)
|
||||||
@@ -32,9 +32,6 @@ PermPat = re.compile(r'(\w+)\s*\((.*)\)\s+(.*)', re.UNICODE)
|
|||||||
# Break the bind rule out
|
# Break the bind rule out
|
||||||
BindPat = re.compile(r'([a-zA-Z0-9;\.]+)\s*(\!?=)\s*(.*)', re.UNICODE)
|
BindPat = re.compile(r'([a-zA-Z0-9;\.]+)\s*(\!?=)\s*(.*)', re.UNICODE)
|
||||||
|
|
||||||
# Don't allow arbitrary attributes to be set in our __setattr__ implementation.
|
|
||||||
OBJECTATTRS = ["name", "orig_acistr", "target", "action", "permissions",
|
|
||||||
"bindrule"]
|
|
||||||
ACTIONS = ["allow", "deny"]
|
ACTIONS = ["allow", "deny"]
|
||||||
|
|
||||||
PERMISSIONS = ["read", "write", "add", "delete", "search", "compare",
|
PERMISSIONS = ["read", "write", "add", "delete", "search", "compare",
|
||||||
@@ -76,7 +73,7 @@ class ACI:
|
|||||||
aci = ""
|
aci = ""
|
||||||
for t in self.target:
|
for t in self.target:
|
||||||
op = self.target[t]['operator']
|
op = self.target[t]['operator']
|
||||||
if isinstance(self.target[t]['expression'], list):
|
if type(self.target[t]['expression']) in (tuple, list):
|
||||||
target = ""
|
target = ""
|
||||||
for l in self.target[t]['expression']:
|
for l in self.target[t]['expression']:
|
||||||
target = target + l + " || "
|
target = target + l + " || "
|
||||||
@@ -132,14 +129,17 @@ class ACI:
|
|||||||
self.target[var]['expression'] = val
|
self.target[var]['expression'] = val
|
||||||
|
|
||||||
def _parse_acistr(self, acistr):
|
def _parse_acistr(self, acistr):
|
||||||
acimatch = ACIPat.match(acistr)
|
vstart = acistr.find('version')
|
||||||
if not acimatch or len(acimatch.groups()) < 3:
|
if vstart < 0:
|
||||||
raise SyntaxError, "malformed ACI"
|
raise SyntaxError, "malformed ACI, unable to find version %s" % acistr
|
||||||
self._parse_target(acimatch.group(1))
|
acimatch = ACIPat.match(acistr[vstart-1:])
|
||||||
self.name = acimatch.group(2)
|
if not acimatch or len(acimatch.groups()) < 2:
|
||||||
bindperms = PermPat.match(acimatch.group(3))
|
raise SyntaxError, "malformed ACI, match for version and bind rule failed %s" % acistr
|
||||||
|
self._parse_target(acistr[:vstart-1])
|
||||||
|
self.name = acimatch.group(1)
|
||||||
|
bindperms = PermPat.match(acimatch.group(2))
|
||||||
if not bindperms or len(bindperms.groups()) < 3:
|
if not bindperms or len(bindperms.groups()) < 3:
|
||||||
raise SyntaxError, "malformed ACI"
|
raise SyntaxError, "malformed ACI, permissions match failed %s" % acistr
|
||||||
self.action = bindperms.group(1)
|
self.action = bindperms.group(1)
|
||||||
self.permissions = bindperms.group(2).replace(' ','').split(',')
|
self.permissions = bindperms.group(2).replace(' ','').split(',')
|
||||||
self.set_bindrule(bindperms.group(3))
|
self.set_bindrule(bindperms.group(3))
|
||||||
@@ -150,7 +150,7 @@ class ACI:
|
|||||||
|
|
||||||
returns True if valid
|
returns True if valid
|
||||||
"""
|
"""
|
||||||
if not isinstance(self.permissions, list):
|
if not type(self.permissions) in (tuple, list):
|
||||||
raise SyntaxError, "permissions must be a list"
|
raise SyntaxError, "permissions must be a list"
|
||||||
for p in self.permissions:
|
for p in self.permissions:
|
||||||
if not p.lower() in PERMISSIONS:
|
if not p.lower() in PERMISSIONS:
|
||||||
@@ -175,7 +175,7 @@ class ACI:
|
|||||||
self.target['targetfilter']['operator'] = operator
|
self.target['targetfilter']['operator'] = operator
|
||||||
|
|
||||||
def set_target_attr(self, attr, operator="="):
|
def set_target_attr(self, attr, operator="="):
|
||||||
if not isinstance(attr, list):
|
if not type(attr) in (tuple, list):
|
||||||
attr = [attr]
|
attr = [attr]
|
||||||
self.target['targetattr'] = {}
|
self.target['targetattr'] = {}
|
||||||
self.target['targetattr']['expression'] = attr
|
self.target['targetattr']['expression'] = attr
|
||||||
@@ -211,6 +211,7 @@ class ACI:
|
|||||||
|
|
||||||
returns True if equal, False if not.
|
returns True if equal, False if not.
|
||||||
"""
|
"""
|
||||||
|
assert isinstance(b, ACI)
|
||||||
try:
|
try:
|
||||||
if self.name.lower() != b.name.lower():
|
if self.name.lower() != b.name.lower():
|
||||||
return False
|
return False
|
||||||
@@ -320,3 +321,6 @@ if __name__ == '__main__':
|
|||||||
|
|
||||||
a = ACI('(targetattr != "userPassword || krbPrincipalKey || sambaLMPassword || sambaNTPassword || passwordHistory || krbMKey")(version 3.0; acl "Enable Anonymous access"; allow (read, search, compare) userdn = "ldap:///anyone";)')
|
a = ACI('(targetattr != "userPassword || krbPrincipalKey || sambaLMPassword || sambaNTPassword || passwordHistory || krbMKey")(version 3.0; acl "Enable Anonymous access"; allow (read, search, compare) userdn = "ldap:///anyone";)')
|
||||||
print a
|
print a
|
||||||
|
|
||||||
|
a = ACI('(targetfilter = "(|(objectClass=person)(objectClass=krbPrincipalAux)(objectClass=posixAccount)(objectClass=groupOfNames)(objectClass=posixGroup))")(targetattr != "aci || userPassword || krbPrincipalKey || sambaLMPassword || sambaNTPassword || passwordHistory")(version 3.0; acl "Account Admins can manage Users and Groups"; allow (add, delete, read, write) groupdn = "ldap:///cn=admins,cn=groups,cn=accounts,dc=greyoak,dc=com";)')
|
||||||
|
print a
|
||||||
|
|||||||
@@ -19,12 +19,50 @@
|
|||||||
# Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA
|
# Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA
|
||||||
"""
|
"""
|
||||||
Directory Server Access Control Instructions (ACIs)
|
Directory Server Access Control Instructions (ACIs)
|
||||||
|
|
||||||
|
ACI's are used to allow or deny access to information. This module is
|
||||||
|
currently designed to allow, not deny, access, primarily write access.
|
||||||
|
|
||||||
|
The primary use of this plugin is to create low-level permission sets
|
||||||
|
to allow a group to write or update entries or a set of attributes. This
|
||||||
|
may include adding or removing entries as well. These groups are called
|
||||||
|
taskgroups. These low-level permissions can be combined into roles
|
||||||
|
that grant broader access. These roles are another type of group, rolegroups.
|
||||||
|
|
||||||
|
For example, if you have taskgroups that allow adding and modifying users you
|
||||||
|
could create a rolegroup, useradmin. You would assign users to the useradmin
|
||||||
|
rolegroup to allow them to do the operations defined by the taskgroups.
|
||||||
|
|
||||||
|
You can create ACIs that delegate permission so users in
|
||||||
|
group A can write attributes on group B.
|
||||||
|
|
||||||
|
The type option is a map that applies to all entries in the users, groups or
|
||||||
|
host location. It is primarily designed to be used when granting add
|
||||||
|
permissions (to write new entries).
|
||||||
|
|
||||||
|
For a more thorough description of access controls see
|
||||||
|
http://www.redhat.com/docs/manuals/dir-server/ag/8.0/Managing_Access_Control.html
|
||||||
|
|
||||||
|
EXAMPLES:
|
||||||
|
|
||||||
|
Add an ACI so the group 'secretaries' can update the address on any user:
|
||||||
|
ipa aci-add --attrs=streetAddress --memberof=ipausers --group=secretaries --permissions=write "Secretaries write addresses"
|
||||||
|
|
||||||
|
Show the new ACI:
|
||||||
|
ipa aci-show "Secretaries write addresses"
|
||||||
|
|
||||||
|
Add an ACI that allows members of the 'addusers' taskgroup to add new users:
|
||||||
|
ipa aci-add --type=user --taskgroup=addusers --permissions=add "Add new users"
|
||||||
|
|
||||||
|
The show command will show the raw DS ACI.
|
||||||
|
|
||||||
"""
|
"""
|
||||||
|
|
||||||
from ipalib import api, crud, errors
|
from ipalib import api, crud, errors
|
||||||
from ipalib import Object, Command
|
from ipalib import Object, Command
|
||||||
from ipalib import Flag, Int, List, Str, StrEnum
|
from ipalib import Flag, Int, List, Str, StrEnum
|
||||||
from ipalib.aci import ACI
|
from ipalib.aci import ACI
|
||||||
|
import logging
|
||||||
|
|
||||||
_type_map = {
|
_type_map = {
|
||||||
'user': 'ldap:///uid=*,%s,%s' % (api.env.container_user, api.env.basedn),
|
'user': 'ldap:///uid=*,%s,%s' % (api.env.container_user, api.env.basedn),
|
||||||
@@ -38,14 +76,43 @@ _valid_permissions_values = [
|
|||||||
|
|
||||||
|
|
||||||
def _make_aci(current, aciname, kw):
|
def _make_aci(current, aciname, kw):
|
||||||
try:
|
# Do some quick and dirty validation
|
||||||
(dn, entry_attrs) = api.Command['taskgroup_show'](kw['taskgroup'])
|
t1 = 'type' in kw
|
||||||
except errors.NotFound:
|
t2 = 'filter' in kw
|
||||||
# The task group doesn't exist, let's be helpful and add it
|
t3 = 'subtree' in kw
|
||||||
tgkw = {'description': aciname}
|
t4 = 'targetgroup' in kw
|
||||||
(dn, entry_attrs) = api.Command['taskgroup_add'](
|
t5 = 'attrs' in kw
|
||||||
kw['taskgroup'], **tgkw
|
t6 = 'memberof' in kw
|
||||||
)
|
if t1 + t2 + t3 + t4 > 1:
|
||||||
|
raise errors.ValidationError(name='target', error='type, filter, subtree and targetgroup are mutually exclusive')
|
||||||
|
|
||||||
|
if t1 + t2 + t3 + t4 + t5 + t6 == 0:
|
||||||
|
raise errors.ValidationError(name='target', error='at least one of: type, filter, subtree, targetgroup, attrs or memberof are required')
|
||||||
|
|
||||||
|
group = 'group' in kw
|
||||||
|
taskgroup = 'taskgroup' in kw
|
||||||
|
if group + taskgroup > 1:
|
||||||
|
raise errors.ValidationError(name='target', error='group and taskgroup are mutually exclusive')
|
||||||
|
elif group + taskgroup == 0:
|
||||||
|
raise errors.ValidationError(name='target', error='One of group or taskgroup is required')
|
||||||
|
|
||||||
|
# Grab the dn of the group we're granting access to. This group may be a
|
||||||
|
# taskgroup or a user group.
|
||||||
|
if taskgroup:
|
||||||
|
try:
|
||||||
|
(dn, entry_attrs) = api.Command['taskgroup_show'](kw['taskgroup'])
|
||||||
|
except errors.NotFound:
|
||||||
|
# The task group doesn't exist, let's be helpful and add it
|
||||||
|
tgkw = {'description': aciname}
|
||||||
|
(dn, entry_attrs) = api.Command['taskgroup_add'](
|
||||||
|
kw['taskgroup'], **tgkw
|
||||||
|
)
|
||||||
|
elif group:
|
||||||
|
# Not so friendly with groups. This will raise
|
||||||
|
try:
|
||||||
|
(dn, entry_attrs) = api.Command['group_show'](kw['group'])
|
||||||
|
except errors.NotFound:
|
||||||
|
raise errors.NotFound(reason="Group '%s' does not exist" % kw['group'])
|
||||||
|
|
||||||
a = ACI(current)
|
a = ACI(current)
|
||||||
a.name = aciname
|
a.name = aciname
|
||||||
@@ -81,15 +148,14 @@ def _convert_strings_to_acis(acistrs):
|
|||||||
try:
|
try:
|
||||||
acis.append(ACI(a))
|
acis.append(ACI(a))
|
||||||
except SyntaxError, e:
|
except SyntaxError, e:
|
||||||
# FIXME: need to log syntax errors, ignore for now
|
logging.warn("Failed to parse: %s" % a)
|
||||||
pass
|
|
||||||
return acis
|
return acis
|
||||||
|
|
||||||
def _find_aci_by_name(acis, aciname):
|
def _find_aci_by_name(acis, aciname):
|
||||||
for a in acis:
|
for a in acis:
|
||||||
if a.name.lower() == aciname.lower():
|
if a.name.lower() == aciname.lower():
|
||||||
return a
|
return a
|
||||||
raise errors.NotFound('ACI with name "%s" not found' % aciname)
|
raise errors.NotFound(reason='ACI with name "%s" not found' % aciname)
|
||||||
|
|
||||||
def _normalize_permissions(permissions):
|
def _normalize_permissions(permissions):
|
||||||
valid_permissions = []
|
valid_permissions = []
|
||||||
@@ -111,10 +177,14 @@ class aci(Object):
|
|||||||
doc='name',
|
doc='name',
|
||||||
primary_key=True,
|
primary_key=True,
|
||||||
),
|
),
|
||||||
Str('taskgroup',
|
Str('taskgroup?',
|
||||||
cli_name='taskgroup',
|
cli_name='taskgroup',
|
||||||
doc='taskgroup ACI grants access to',
|
doc='taskgroup ACI grants access to',
|
||||||
),
|
),
|
||||||
|
Str('group?',
|
||||||
|
cli_name='group',
|
||||||
|
doc='user group ACI grants access to',
|
||||||
|
),
|
||||||
List('permissions',
|
List('permissions',
|
||||||
cli_name='permissions',
|
cli_name='permissions',
|
||||||
doc='comma-separated list of permissions to grant' \
|
doc='comma-separated list of permissions to grant' \
|
||||||
@@ -177,13 +247,16 @@ class aci_add(crud.Create):
|
|||||||
raise errors.DuplicateEntry()
|
raise errors.DuplicateEntry()
|
||||||
|
|
||||||
newaci_str = str(newaci)
|
newaci_str = str(newaci)
|
||||||
entry_attrs['acis'].append(newaci_str)
|
entry_attrs['aci'].append(newaci_str)
|
||||||
|
|
||||||
ldap.update_entry(dn, entry_attrs)
|
ldap.update_entry(dn, entry_attrs)
|
||||||
|
|
||||||
return newaci_str
|
return newaci_str
|
||||||
|
|
||||||
def output_for_cli(self, textui, result, aciname, **options):
|
def output_for_cli(self, textui, result, aciname, **options):
|
||||||
|
"""
|
||||||
|
Display the newly created ACI and a success message.
|
||||||
|
"""
|
||||||
textui.print_name(self.name)
|
textui.print_name(self.name)
|
||||||
textui.print_plain(result)
|
textui.print_plain(result)
|
||||||
textui.print_dashed('Created ACI "%s".' % aciname)
|
textui.print_dashed('Created ACI "%s".' % aciname)
|
||||||
@@ -211,7 +284,8 @@ class aci_del(crud.Delete):
|
|||||||
acis = _convert_strings_to_acis(acistrs)
|
acis = _convert_strings_to_acis(acistrs)
|
||||||
aci = _find_aci_by_name(acis, aciname)
|
aci = _find_aci_by_name(acis, aciname)
|
||||||
for a in acistrs:
|
for a in acistrs:
|
||||||
if aci.isequal(a):
|
candidate = ACI(a)
|
||||||
|
if aci.isequal(candidate):
|
||||||
acistrs.remove(a)
|
acistrs.remove(a)
|
||||||
break
|
break
|
||||||
|
|
||||||
@@ -257,6 +331,9 @@ class aci_mod(crud.Update):
|
|||||||
return self.api.Command['aci_add'](aciname, **kw)
|
return self.api.Command['aci_add'](aciname, **kw)
|
||||||
|
|
||||||
def output_for_cli(self, textui, result, aciname, **options):
|
def output_for_cli(self, textui, result, aciname, **options):
|
||||||
|
"""
|
||||||
|
Display the updated ACI and a success message.
|
||||||
|
"""
|
||||||
textui.print_name(self.name)
|
textui.print_name(self.name)
|
||||||
textui.print_plain(result)
|
textui.print_plain(result)
|
||||||
textui.print_dashed('Modified ACI "%s".' % aciname)
|
textui.print_dashed('Modified ACI "%s".' % aciname)
|
||||||
@@ -267,6 +344,22 @@ api.register(aci_mod)
|
|||||||
class aci_find(crud.Search):
|
class aci_find(crud.Search):
|
||||||
"""
|
"""
|
||||||
Search for ACIs.
|
Search for ACIs.
|
||||||
|
|
||||||
|
Returns a list of ACIs
|
||||||
|
|
||||||
|
EXAMPLES:
|
||||||
|
|
||||||
|
To find all ACIs that apply directly to members of the group ipausers:
|
||||||
|
ipa aci-find --memberof=ipausers
|
||||||
|
|
||||||
|
To find all ACIs that grant add access:
|
||||||
|
ipa aci-find --permissions=add
|
||||||
|
|
||||||
|
Note that the find command only looks for the given text in the set of
|
||||||
|
ACIs, it does not evaluate the ACIs to see if something would apply.
|
||||||
|
For example, searching on memberof=ipausers will find all ACIs that
|
||||||
|
have ipausers as a memberof. There may be other ACIs that apply to
|
||||||
|
members of that group indirectly.
|
||||||
"""
|
"""
|
||||||
def execute(self, term, **kw):
|
def execute(self, term, **kw):
|
||||||
ldap = self.api.Backend.ldap2
|
ldap = self.api.Backend.ldap2
|
||||||
@@ -333,8 +426,8 @@ class aci_find(crud.Search):
|
|||||||
memberof_filter = '(memberOf=%s)' % dn
|
memberof_filter = '(memberOf=%s)' % dn
|
||||||
for a in acis:
|
for a in acis:
|
||||||
if 'targetfilter' in a.target:
|
if 'targetfilter' in a.target:
|
||||||
filter = a.target['targetfilter']['expression']
|
targetfilter = a.target['targetfilter']['expression']
|
||||||
if filter != memberof_filter:
|
if targetfilter != memberof_filter:
|
||||||
results.remove(a)
|
results.remove(a)
|
||||||
else:
|
else:
|
||||||
results.remove(a)
|
results.remove(a)
|
||||||
@@ -346,6 +439,9 @@ class aci_find(crud.Search):
|
|||||||
return [str(aci) for aci in results]
|
return [str(aci) for aci in results]
|
||||||
|
|
||||||
def output_for_cli(self, textui, result, term, **options):
|
def output_for_cli(self, textui, result, term, **options):
|
||||||
|
"""
|
||||||
|
Display the search results
|
||||||
|
"""
|
||||||
textui.print_name(self.name)
|
textui.print_name(self.name)
|
||||||
for aci in result:
|
for aci in result:
|
||||||
textui.print_plain(aci)
|
textui.print_plain(aci)
|
||||||
@@ -359,7 +455,7 @@ api.register(aci_find)
|
|||||||
|
|
||||||
class aci_show(crud.Retrieve):
|
class aci_show(crud.Retrieve):
|
||||||
"""
|
"""
|
||||||
Display ACI.
|
Display a single ACI given an ACI name.
|
||||||
"""
|
"""
|
||||||
def execute(self, aciname, **kw):
|
def execute(self, aciname, **kw):
|
||||||
"""
|
"""
|
||||||
@@ -379,8 +475,10 @@ class aci_show(crud.Retrieve):
|
|||||||
return str(_find_aci_by_name(acis, aciname))
|
return str(_find_aci_by_name(acis, aciname))
|
||||||
|
|
||||||
def output_for_cli(self, textui, result, aciname, **options):
|
def output_for_cli(self, textui, result, aciname, **options):
|
||||||
|
"""
|
||||||
|
Display the requested ACI
|
||||||
|
"""
|
||||||
textui.print_name(self.name)
|
textui.print_name(self.name)
|
||||||
textui.print_plain(result)
|
textui.print_plain(result)
|
||||||
|
|
||||||
api.register(aci_show)
|
api.register(aci_show)
|
||||||
|
|
||||||
|
|||||||
@@ -39,6 +39,8 @@ from ldap.controls import LDAPControl
|
|||||||
# for backward compatibility
|
# for backward compatibility
|
||||||
from ldap.functions import explode_dn
|
from ldap.functions import explode_dn
|
||||||
|
|
||||||
|
import krbV
|
||||||
|
|
||||||
from ipalib import api, errors
|
from ipalib import api, errors
|
||||||
from ipalib.crud import CrudBackend
|
from ipalib.crud import CrudBackend
|
||||||
from ipalib.encoder import Encoder, encode_args, decode_retval
|
from ipalib.encoder import Encoder, encode_args, decode_retval
|
||||||
@@ -547,7 +549,7 @@ class ldap2(CrudBackend, Encoder):
|
|||||||
|
|
||||||
def _generate_modlist(self, dn, entry_attrs):
|
def _generate_modlist(self, dn, entry_attrs):
|
||||||
# get original entry
|
# get original entry
|
||||||
(dn, entry_attrs_old) = self.get_entry(dn)
|
(dn, entry_attrs_old) = self.get_entry(dn, ['*', 'aci'])
|
||||||
# get_entry returns a decoded entry, encode it back
|
# get_entry returns a decoded entry, encode it back
|
||||||
# we could call search_s directly, but this saves a lot of code at
|
# we could call search_s directly, but this saves a lot of code at
|
||||||
# the expense of a little bit of performace
|
# the expense of a little bit of performace
|
||||||
|
|||||||
Reference in New Issue
Block a user