]> git.k1024.org Git - pylibacl.git/blob - acl.c
Imple the acl_equiv_mode function
[pylibacl.git] / acl.c
1 #include <Python.h>
2
3 #include <sys/types.h>
4 #include <sys/acl.h>
5
6 #ifdef HAVE_LINUX
7 #include <acl/libacl.h>
8 #define get_perm acl_get_perm
9 #elif HAVE_FREEBSD
10 #define get_perm acl_get_perm_np
11 #endif
12
13 staticforward PyTypeObject ACL_Type;
14 static PyObject* ACL_applyto(PyObject* obj, PyObject* args);
15 static PyObject* ACL_valid(PyObject* obj, PyObject* args);
16
17 #ifdef HAVE_ACL_COPY_EXT
18 static PyObject* ACL_get_state(PyObject *obj, PyObject* args);
19 static PyObject* ACL_set_state(PyObject *obj, PyObject* args);
20 #endif
21
22 #ifdef HAVE_LEVEL2
23 staticforward PyTypeObject Entry_Type;
24 staticforward PyTypeObject Permset_Type;
25 static PyObject* Permset_new(PyTypeObject* type, PyObject* args,
26                              PyObject *keywds);
27 #endif
28
29 static acl_perm_t holder_ACL_EXECUTE = ACL_EXECUTE;
30 static acl_perm_t holder_ACL_READ = ACL_READ;
31 static acl_perm_t holder_ACL_WRITE = ACL_WRITE;
32
33 typedef struct {
34     PyObject_HEAD
35     acl_t acl;
36 #ifdef HAVE_LEVEL2
37     int entry_id;
38 #endif
39 } ACL_Object;
40
41 #ifdef HAVE_LEVEL2
42
43 typedef struct {
44     PyObject_HEAD
45     PyObject *parent_acl; /* The parent acl, so it won't run out on us */
46     acl_entry_t entry;
47 } Entry_Object;
48
49 typedef struct {
50     PyObject_HEAD
51     PyObject *parent_entry; /* The parent entry, so it won't run out on us */
52     acl_permset_t permset;
53 } Permset_Object;
54
55 #endif
56
57 /* Creation of a new ACL instance */
58 static PyObject* ACL_new(PyTypeObject* type, PyObject* args,
59                          PyObject *keywds) {
60     PyObject* newacl;
61
62     newacl = type->tp_alloc(type, 0);
63
64     if(newacl != NULL) {
65         ((ACL_Object*)newacl)->acl = NULL;
66 #ifdef HAVEL_LEVEL2
67         ((ACL_Object*)newacl)->entry_id = ACL_FIRST_ENTRY;
68 #endif
69     }
70
71     return newacl;
72 }
73
74 /* Initialization of a new ACL instance */
75 static int ACL_init(PyObject* obj, PyObject* args, PyObject *keywds) {
76     ACL_Object* self = (ACL_Object*) obj;
77 #ifdef HAVE_LINUX
78     static char *kwlist[] = { "file", "fd", "text", "acl", "filedef",
79                               "mode", NULL };
80     char *format = "|sisO!sH";
81     mode_t mode = 0;
82 #else
83     static char *kwlist[] = { "file", "fd", "text", "acl", "filedef", NULL };
84     char *format = "|sisO!s";
85 #endif
86     char *file = NULL;
87     char *filedef = NULL;
88     char *text = NULL;
89     int fd = -1;
90     ACL_Object* thesrc = NULL;
91
92     if(!PyTuple_Check(args) || PyTuple_Size(args) != 0 ||
93        (keywds != NULL && PyDict_Check(keywds) && PyDict_Size(keywds) > 1)) {
94         PyErr_SetString(PyExc_ValueError, "a max of one keyword argument"
95                         " must be passed");
96         return -1;
97     }
98     if(!PyArg_ParseTupleAndKeywords(args, keywds, format, kwlist,
99                                     &file, &fd, &text, &ACL_Type,
100                                     &thesrc, &filedef
101 #ifdef HAVE_LINUX
102                                     , &mode
103 #endif
104                                     ))
105         return -1;
106
107     /* Free the old acl_t without checking for error, we don't
108      * care right now */
109     if(self->acl != NULL)
110         acl_free(self->acl);
111
112     if(file != NULL)
113         self->acl = acl_get_file(file, ACL_TYPE_ACCESS);
114     else if(text != NULL)
115         self->acl = acl_from_text(text);
116     else if(fd != -1)
117         self->acl = acl_get_fd(fd);
118     else if(thesrc != NULL)
119         self->acl = acl_dup(thesrc->acl);
120     else if(filedef != NULL)
121         self->acl = acl_get_file(filedef, ACL_TYPE_DEFAULT);
122 #ifdef HAVE_LINUX
123     else if(PyMapping_HasKeyString(keywds, kwlist[5]))
124         self->acl = acl_from_mode(mode);
125 #endif
126     else
127         self->acl = acl_init(0);
128
129     if(self->acl == NULL) {
130         PyErr_SetFromErrno(PyExc_IOError);
131         return -1;
132     }
133
134     return 0;
135 }
136
137 /* Standard type functions */
138 static void ACL_dealloc(PyObject* obj) {
139     ACL_Object *self = (ACL_Object*) obj;
140     PyObject *err_type, *err_value, *err_traceback;
141     int have_error = PyErr_Occurred() ? 1 : 0;
142
143     if (have_error)
144         PyErr_Fetch(&err_type, &err_value, &err_traceback);
145     if(self->acl != NULL && acl_free(self->acl) != 0)
146         PyErr_WriteUnraisable(obj);
147     if (have_error)
148         PyErr_Restore(err_type, err_value, err_traceback);
149     PyObject_DEL(self);
150 }
151
152 /* Converts the acl to a text format */
153 static PyObject* ACL_str(PyObject *obj) {
154     char *text;
155     ACL_Object *self = (ACL_Object*) obj;
156     PyObject *ret;
157
158     text = acl_to_text(self->acl, NULL);
159     if(text == NULL) {
160         return PyErr_SetFromErrno(PyExc_IOError);
161     }
162     ret = PyString_FromString(text);
163     if(acl_free(text) != 0) {
164         Py_DECREF(ret);
165         return PyErr_SetFromErrno(PyExc_IOError);
166     }
167     return ret;
168 }
169
170 #ifdef HAVE_LINUX
171 static char __to_any_text_doc__[] =
172   "Convert the ACL to a custom text format.\n"
173   "\n"
174   "This method encapsulates the acl_to_any_text function. It allows a \n"
175   "customized text format to be generated for the ACL. See\n"
176   "acl_to_any_text(3) for more details.\n"
177   "\n"
178   "Parameters:\n"
179   "  - prefix: if given, this string will be prepended to all lines\n"
180   "  - separator: a single character (defaults to '\\n'); this will be\n"
181   "               user to separate the entries in the ACL\n"
182   "  - options: a bitwise combination of:\n"
183   "      TEXT_ABBREVIATE: use 'u' instead of 'user', 'g' instead of \n"
184   "                       'group', etc.\n"
185   "      TEXT_NUMERIC_IDS: User and group IDs are included as decimal\n"
186   "                        numbers instead of names\n"
187   "      TEXT_SOME_EFFECTIVE: Include comments denoting the effective\n"
188   "                           permissions when some are masked\n"
189   "      TEXT_ALL_EFFECTIVE: Include comments after all ACL entries\n"
190   "                          affected by an ACL_MASK entry\n"
191   "      TEXT_SMART_INDENT: Used in combination with the _EFFECTIVE\n"
192   "                         options, this will ensure that comments \n"
193   "                         are alligned to the fourth tab position\n"
194   "                         (assuming one tab equal eight spaces\n"
195   ;
196
197 /* Converts the acl to a custom text format */
198 static PyObject* ACL_to_any_text(PyObject *obj, PyObject *args,
199                                  PyObject *kwds) {
200     char *text;
201     ACL_Object *self = (ACL_Object*) obj;
202     PyObject *ret;
203     char *arg_prefix = NULL;
204     char arg_separator = '\n';
205     int arg_options = 0;
206     static char *kwlist[] = {"prefix", "separator", "options", NULL};
207
208     if (!PyArg_ParseTupleAndKeywords(args, kwds, "|sci", kwlist, &arg_prefix,
209                                      &arg_separator, &arg_options))
210       return NULL;
211
212     text = acl_to_any_text(self->acl, arg_prefix, arg_separator, arg_options);
213     if(text == NULL) {
214         return PyErr_SetFromErrno(PyExc_IOError);
215     }
216     ret = PyString_FromString(text);
217     if(acl_free(text) != 0) {
218         Py_DECREF(ret);
219         return PyErr_SetFromErrno(PyExc_IOError);
220     }
221     return ret;
222 }
223
224 static char __check_doc__[] =
225     "Check the ACL validity.\n"
226     "\n"
227     "This is a non-portable, Linux specific extension that allow more\n"
228     "information to be retrieved in case an ACL is not valid than the\n"
229     "validate() method.\n"
230     "\n"
231     "This method will return either False (the ACL is valid), or a tuple\n"
232     "with two elements. The first element is one of the following\n"
233     "constants:\n"
234     "  - ACL_MULTI_ERROR: The ACL contains multiple entries that have a\n"
235     "                     tag type that may occur at most once\n"
236     "  - ACL_DUPLICATE_ERROR: The ACL contains multiple ACL_USER or \n"
237     "                         ACL_GROUP entries  with the same ID\n"
238     "  - ACL_MISS_ERROR: A required entry is missing\n"
239     "  - ACL_ENTRY_ERROR: The ACL contains an invalid entry tag type\n"
240     "\n"
241     "The second element of the tuple is the index of the entry that is\n"
242     "invalid (in the same order as by iterating over the ACL entry)\n"
243     ;
244
245 /* The acl_check method */
246 static PyObject* ACL_check(PyObject* obj, PyObject* args) {
247     ACL_Object *self = (ACL_Object*) obj;
248     int result;
249     int eindex;
250
251     if((result = acl_check(self->acl, &eindex)) == -1)
252         return PyErr_SetFromErrno(PyExc_IOError);
253     if(result == 0) {
254         Py_INCREF(Py_False);
255         return Py_False;
256     }
257     return PyTuple_Pack(2, PyInt_FromLong(result), PyInt_FromLong(eindex));
258 }
259
260 /* Implementation of the rich compare for ACLs */
261 static PyObject* ACL_richcompare(PyObject* o1, PyObject* o2, int op) {
262     ACL_Object *acl1, *acl2;
263     int n;
264     PyObject *ret;
265
266     if(!PyObject_IsInstance(o2, (PyObject*)&ACL_Type)) {
267         if(op == Py_EQ)
268             Py_RETURN_FALSE;
269         if(op == Py_NE)
270             Py_RETURN_TRUE;
271         PyErr_SetString(PyExc_TypeError, "can only compare to an ACL");
272         return NULL;
273     }
274
275     acl1 = (ACL_Object*)o1;
276     acl2 = (ACL_Object*)o2;
277     if((n=acl_cmp(acl1->acl, acl2->acl))==-1)
278         return PyErr_SetFromErrno(PyExc_IOError);
279     switch(op) {
280     case Py_EQ:
281         ret = n == 0 ? Py_True : Py_False;
282         break;
283     case Py_NE:
284         ret = n == 1 ? Py_True : Py_False;
285         break;
286     default:
287         ret = Py_NotImplemented;
288     }
289     Py_INCREF(ret);
290     return ret;
291 }
292
293 static char __equiv_mode_doc__[] =
294     "Return the octal mode the ACL is equivalent to.\n"
295     "\n"
296     "This is a non-portable, Linux specific extension that checks\n"
297     "if the ACL is a basic ACL and returns the corresponding mode.\n"
298     "\n"
299     "An IOerror exception will be raised if the ACL is an extended ACL\n"
300     ;
301
302 /* The acl_equiv_mode method */
303 static PyObject* ACL_equiv_mode(PyObject* obj, PyObject* args) {
304     ACL_Object *self = (ACL_Object*) obj;
305     mode_t mode;
306
307     if(acl_equiv_mode(self->acl, &mode) == -1)
308         return PyErr_SetFromErrno(PyExc_IOError);
309     return PyInt_FromLong(mode);
310 }
311 #endif
312
313 /* Implementation of the compare for ACLs */
314 static int ACL_nocmp(PyObject* o1, PyObject* o2) {
315
316     PyErr_SetString(PyExc_TypeError, "cannot compare ACLs using cmp()");
317     return -1;
318 }
319
320 /* Custom methods */
321 static char __applyto_doc__[] =
322     "Apply the ACL to a file or filehandle.\n"
323     "\n"
324     "Parameters:\n"
325     "  - either a filename or a file-like object or an integer; this\n"
326     "    represents the filesystem object on which to act\n"
327     "  - optional flag representing the type of ACL to set, either\n"
328     "    ACL_TYPE_ACCESS (default) or ACL_TYPE_DEFAULT\n"
329     ;
330
331 /* Applyes the ACL to a file */
332 static PyObject* ACL_applyto(PyObject* obj, PyObject* args) {
333     ACL_Object *self = (ACL_Object*) obj;
334     PyObject *myarg;
335     acl_type_t type = ACL_TYPE_ACCESS;
336     int nret;
337     int fd;
338
339     if (!PyArg_ParseTuple(args, "O|i", &myarg, &type))
340         return NULL;
341
342     if(PyString_Check(myarg)) {
343         char *filename = PyString_AS_STRING(myarg);
344         nret = acl_set_file(filename, type, self->acl);
345     } else if((fd = PyObject_AsFileDescriptor(myarg)) != -1) {
346         nret = acl_set_fd(fd, self->acl);
347     } else {
348         PyErr_SetString(PyExc_TypeError, "argument 1 must be string, int,"
349                         " or file-like object");
350         return 0;
351     }
352     if(nret == -1) {
353         return PyErr_SetFromErrno(PyExc_IOError);
354     }
355
356     /* Return the result */
357     Py_INCREF(Py_None);
358     return Py_None;
359 }
360
361 static char __valid_doc__[] =
362     "Test the ACL for validity.\n"
363     "\n"
364     "This method tests the ACL to see if it is a valid ACL\n"
365     "in terms of the filesystem. More precisely, it checks that:\n"
366     "\n"
367     "The ACL contains exactly one entry with each of the\n"
368     "ACL_USER_OBJ, ACL_GROUP_OBJ, and ACL_OTHER tag types. Entries\n"
369     "with ACL_USER and ACL_GROUP tag types may appear zero or more\n"
370     "times in an ACL. An ACL that contains entries of ACL_USER or\n"
371     "ACL_GROUP tag types must contain exactly one entry of the \n"
372     "ACL_MASK tag type. If an ACL contains no entries of\n"
373     "ACL_USER or ACL_GROUP tag types, the ACL_MASK entry is optional.\n"
374     "\n"
375     "All user ID qualifiers must be unique among all entries of\n"
376     "the ACL_USER tag type, and all group IDs must be unique among all\n"
377     "entries of ACL_GROUP tag type.\n"
378     "\n"
379     "The method will return 1 for a valid ACL and 0 for an invalid one.\n"
380     "This has been chosen because the specification for acl_valid in\n"
381     "the POSIX.1e standard documents only one possible value for errno\n"
382     "in case of an invalid ACL, so we can't differentiate between\n"
383     "classes of errors. Other suggestions are welcome.\n"
384     ;
385
386 /* Checks the ACL for validity */
387 static PyObject* ACL_valid(PyObject* obj, PyObject* args) {
388     ACL_Object *self = (ACL_Object*) obj;
389
390     if(acl_valid(self->acl) == -1) {
391         Py_INCREF(Py_False);
392         return Py_False;
393     } else {
394         Py_INCREF(Py_True);
395         return Py_True;
396     }
397 }
398
399 #ifdef HAVE_ACL_COPY_EXT
400 static PyObject* ACL_get_state(PyObject *obj, PyObject* args) {
401     ACL_Object *self = (ACL_Object*) obj;
402     PyObject *ret;
403     ssize_t size, nsize;
404     char *buf;
405
406     size = acl_size(self->acl);
407     if(size == -1)
408         return PyErr_SetFromErrno(PyExc_IOError);
409
410     if((ret = PyString_FromStringAndSize(NULL, size)) == NULL)
411         return NULL;
412     buf = PyString_AsString(ret);
413
414     if((nsize = acl_copy_ext(buf, self->acl, size)) == -1) {
415         Py_DECREF(ret);
416         return PyErr_SetFromErrno(PyExc_IOError);
417     }
418
419     return ret;
420 }
421
422 static PyObject* ACL_set_state(PyObject *obj, PyObject* args) {
423     ACL_Object *self = (ACL_Object*) obj;
424     const void *buf;
425     int bufsize;
426     acl_t ptr;
427
428     /* Parse the argument */
429     if (!PyArg_ParseTuple(args, "s#", &buf, &bufsize))
430         return NULL;
431
432     /* Try to import the external representation */
433     if((ptr = acl_copy_int(buf)) == NULL)
434         return PyErr_SetFromErrno(PyExc_IOError);
435
436     /* Free the old acl. Should we ignore errors here? */
437     if(self->acl != NULL) {
438         if(acl_free(self->acl) == -1)
439             return PyErr_SetFromErrno(PyExc_IOError);
440     }
441
442     self->acl = ptr;
443
444     /* Return the result */
445     Py_INCREF(Py_None);
446     return Py_None;
447 }
448 #endif
449
450 #ifdef HAVE_LEVEL2
451
452 /* tp_iter for the ACL type; since it can be iterated only
453  * destructively, the type is its iterator
454  */
455 static PyObject* ACL_iter(PyObject *obj) {
456     ACL_Object *self = (ACL_Object*)obj;
457     self->entry_id = ACL_FIRST_ENTRY;
458     Py_INCREF(obj);
459     return obj;
460 }
461
462 /* the tp_iternext function for the ACL type */
463 static PyObject* ACL_iternext(PyObject *obj) {
464     ACL_Object *self = (ACL_Object*)obj;
465     acl_entry_t the_entry_t;
466     Entry_Object *the_entry_obj;
467     int nerr;
468
469     nerr = acl_get_entry(self->acl, self->entry_id, &the_entry_t);
470     self->entry_id = ACL_NEXT_ENTRY;
471     if(nerr == -1)
472         return PyErr_SetFromErrno(PyExc_IOError);
473     else if(nerr == 0) {
474         /* Docs says this is not needed */
475         /*PyErr_SetObject(PyExc_StopIteration, Py_None);*/
476         return NULL;
477     }
478
479     the_entry_obj = (Entry_Object*) PyType_GenericNew(&Entry_Type, NULL, NULL);
480     if(the_entry_obj == NULL)
481         return NULL;
482
483     the_entry_obj->entry = the_entry_t;
484
485     the_entry_obj->parent_acl = obj;
486     Py_INCREF(obj); /* For the reference we have in entry->parent */
487
488     return (PyObject*)the_entry_obj;
489 }
490
491 static char __ACL_delete_entry_doc__[] =
492     "Deletes an entry from the ACL.\n"
493     "\n"
494     "Note: Only with level 2\n"
495     "Parameters:\n"
496     " - the Entry object which should be deleted; note that after\n"
497     "   this function is called, that object is unusable any longer\n"
498     "   and should be deleted\n"
499     ;
500
501 /* Deletes an entry from the ACL */
502 static PyObject* ACL_delete_entry(PyObject *obj, PyObject *args) {
503     ACL_Object *self = (ACL_Object*)obj;
504     Entry_Object *e;
505
506     if (!PyArg_ParseTuple(args, "O!", &Entry_Type, &e))
507         return NULL;
508
509     if(acl_delete_entry(self->acl, e->entry) == -1)
510         return PyErr_SetFromErrno(PyExc_IOError);
511
512     /* Return the result */
513     Py_INCREF(Py_None);
514     return Py_None;
515 }
516
517 static char __ACL_calc_mask_doc__[] =
518     "Compute the file group class mask.\n"
519     "\n"
520     "The calc_mask() method calculates and sets the permissions \n"
521     "associated with the ACL_MASK Entry of the ACL.\n"
522     "The value of the new permissions is the union of the permissions \n"
523     "granted by all entries of tag type ACL_GROUP, ACL_GROUP_OBJ, or \n"
524     "ACL_USER.  If the ACL already contains an ACL_MASK entry, its \n"
525     "permissions are overwritten; if it does not contain an ACL_MASK \n"
526     "Entry, one is added.\n"
527     "\n"
528     "The order of existing entries in the ACL is undefined after this \n"
529     "function.\n"
530     ;
531
532 /* Updates the mask entry in the ACL */
533 static PyObject* ACL_calc_mask(PyObject *obj, PyObject *args) {
534     ACL_Object *self = (ACL_Object*)obj;
535
536     if(acl_calc_mask(&self->acl) == -1)
537         return PyErr_SetFromErrno(PyExc_IOError);
538
539     /* Return the result */
540     Py_INCREF(Py_None);
541     return Py_None;
542 }
543
544 static char __ACL_append_doc__[] =
545     "Append a new Entry to the ACL and return it.\n"
546     "\n"
547     "This is a convenience function to create a new Entry \n"
548     "and append it to the ACL.\n"
549     "If a parameter of type Entry instance is given, the \n"
550     "entry will be a copy of that one (as if copied with \n"
551     "Entry.copy()), otherwise, the new entry will be empty.\n"
552     ;
553
554 /* Convenience method to create a new Entry */
555 static PyObject* ACL_append(PyObject *obj, PyObject *args) {
556     ACL_Object* self = (ACL_Object*) obj;
557     Entry_Object* newentry;
558     Entry_Object* oldentry = NULL;
559     int nret;
560
561     newentry = (Entry_Object*)PyType_GenericNew(&Entry_Type, NULL, NULL);
562     if(newentry == NULL) {
563         return NULL;
564     }
565
566     if (!PyArg_ParseTuple(args, "|O!", &Entry_Type, &oldentry))
567         return NULL;
568
569     nret = acl_create_entry(&self->acl, &newentry->entry);
570     if(nret == -1) {
571         Py_DECREF(newentry);
572         return PyErr_SetFromErrno(PyExc_IOError);
573     }
574
575     if(oldentry != NULL) {
576         nret = acl_copy_entry(newentry->entry, oldentry->entry);
577         if(nret == -1) {
578             Py_DECREF(newentry);
579             return PyErr_SetFromErrno(PyExc_IOError);
580         }
581     }
582
583     newentry->parent_acl = obj;
584     Py_INCREF(obj);
585
586     return (PyObject*)newentry;
587 }
588
589 /***** Entry type *****/
590
591 /* Creation of a new Entry instance */
592 static PyObject* Entry_new(PyTypeObject* type, PyObject* args,
593                            PyObject *keywds) {
594     PyObject* newentry;
595
596     newentry = PyType_GenericNew(type, args, keywds);
597
598     if(newentry != NULL) {
599         ((Entry_Object*)newentry)->entry = NULL;
600         ((Entry_Object*)newentry)->parent_acl = NULL;
601     }
602
603     return newentry;
604 }
605
606 /* Initialization of a new Entry instance */
607 static int Entry_init(PyObject* obj, PyObject* args, PyObject *keywds) {
608     Entry_Object* self = (Entry_Object*) obj;
609     ACL_Object* parent = NULL;
610
611     if (!PyArg_ParseTuple(args, "O!", &ACL_Type, &parent))
612         return -1;
613
614     if(acl_create_entry(&parent->acl, &self->entry) == -1) {
615         PyErr_SetFromErrno(PyExc_IOError);
616         return -1;
617     }
618
619     self->parent_acl = (PyObject*)parent;
620     Py_INCREF(parent);
621
622     return 0;
623 }
624
625 /* Free the Entry instance */
626 static void Entry_dealloc(PyObject* obj) {
627     Entry_Object *self = (Entry_Object*) obj;
628     PyObject *err_type, *err_value, *err_traceback;
629     int have_error = PyErr_Occurred() ? 1 : 0;
630
631     if (have_error)
632         PyErr_Fetch(&err_type, &err_value, &err_traceback);
633     if(self->parent_acl != NULL) {
634         Py_DECREF(self->parent_acl);
635         self->parent_acl = NULL;
636     }
637     if (have_error)
638         PyErr_Restore(err_type, err_value, err_traceback);
639     PyObject_DEL(self);
640 }
641
642 /* Converts the entry to a text format */
643 static PyObject* Entry_str(PyObject *obj) {
644     acl_tag_t tag;
645     uid_t qualifier;
646     void *p;
647     PyObject *ret;
648     PyObject *format, *list;
649     Entry_Object *self = (Entry_Object*) obj;
650
651     if(acl_get_tag_type(self->entry, &tag) == -1) {
652         PyErr_SetFromErrno(PyExc_IOError);
653         return NULL;
654     }
655     if(tag == ACL_USER || tag == ACL_GROUP) {
656         if((p = acl_get_qualifier(self->entry)) == NULL) {
657             PyErr_SetFromErrno(PyExc_IOError);
658             return NULL;
659         }
660         qualifier = *(uid_t*)p;
661         acl_free(p);
662     } else {
663         qualifier = 0;
664     }
665
666     format = PyString_FromString("ACL entry for %s");
667     if(format == NULL)
668         return NULL;
669     list = PyTuple_New(1);
670     if(tag == ACL_UNDEFINED_TAG) {
671         PyTuple_SetItem(list, 0, PyString_FromString("undefined type"));
672     } else if(tag == ACL_USER_OBJ) {
673         PyTuple_SetItem(list, 0, PyString_FromString("the owner"));
674     } else if(tag == ACL_GROUP_OBJ) {
675         PyTuple_SetItem(list, 0, PyString_FromString("the group"));
676     } else if(tag == ACL_OTHER) {
677         PyTuple_SetItem(list, 0, PyString_FromString("the others"));
678     } else if(tag == ACL_USER) {
679         PyTuple_SetItem(list, 0, PyString_FromFormat("user with uid %d",
680                                                      qualifier));
681     } else if(tag == ACL_GROUP) {
682         PyTuple_SetItem(list, 0, PyString_FromFormat("group with gid %d",
683                                                      qualifier));
684     } else if(tag == ACL_MASK) {
685         PyTuple_SetItem(list, 0, PyString_FromString("the mask"));
686     } else {
687         PyTuple_SetItem(list, 0, PyString_FromString("UNKNOWN_TAG_TYPE!"));
688     }
689     ret = PyString_Format(format, list);
690     Py_DECREF(format);
691     Py_DECREF(list);
692     return ret;
693 }
694
695 /* Sets the tag type of the entry */
696 static int Entry_set_tag_type(PyObject* obj, PyObject* value, void* arg) {
697     Entry_Object *self = (Entry_Object*) obj;
698
699     if(value == NULL) {
700         PyErr_SetString(PyExc_TypeError,
701                         "tag type deletion is not supported");
702         return -1;
703     }
704
705     if(!PyInt_Check(value)) {
706         PyErr_SetString(PyExc_TypeError,
707                         "tag type must be integer");
708         return -1;
709     }
710     if(acl_set_tag_type(self->entry, (acl_tag_t)PyInt_AsLong(value)) == -1) {
711         PyErr_SetFromErrno(PyExc_IOError);
712         return -1;
713     }
714
715     return 0;
716 }
717
718 /* Returns the tag type of the entry */
719 static PyObject* Entry_get_tag_type(PyObject *obj, void* arg) {
720     Entry_Object *self = (Entry_Object*) obj;
721     acl_tag_t value;
722
723     if (self->entry == NULL) {
724         PyErr_SetString(PyExc_AttributeError, "entry attribute");
725         return NULL;
726     }
727     if(acl_get_tag_type(self->entry, &value) == -1) {
728         PyErr_SetFromErrno(PyExc_IOError);
729         return NULL;
730     }
731
732     return PyInt_FromLong(value);
733 }
734
735 /* Sets the qualifier (either uid_t or gid_t) for the entry,
736  * usable only if the tag type if ACL_USER or ACL_GROUP
737  */
738 static int Entry_set_qualifier(PyObject* obj, PyObject* value, void* arg) {
739     Entry_Object *self = (Entry_Object*) obj;
740     int uidgid;
741
742     if(value == NULL) {
743         PyErr_SetString(PyExc_TypeError,
744                         "qualifier deletion is not supported");
745         return -1;
746     }
747
748     if(!PyInt_Check(value)) {
749         PyErr_SetString(PyExc_TypeError,
750                         "tag type must be integer");
751         return -1;
752     }
753     uidgid = PyInt_AsLong(value);
754     if(acl_set_qualifier(self->entry, (void*)&uidgid) == -1) {
755         PyErr_SetFromErrno(PyExc_IOError);
756         return -1;
757     }
758
759     return 0;
760 }
761
762 /* Returns the qualifier of the entry */
763 static PyObject* Entry_get_qualifier(PyObject *obj, void* arg) {
764     Entry_Object *self = (Entry_Object*) obj;
765     void *p;
766     int value;
767
768     if (self->entry == NULL) {
769         PyErr_SetString(PyExc_AttributeError, "entry attribute");
770         return NULL;
771     }
772     if((p = acl_get_qualifier(self->entry)) == NULL) {
773         PyErr_SetFromErrno(PyExc_IOError);
774         return NULL;
775     }
776     value = *(uid_t*)p;
777     acl_free(p);
778
779     return PyInt_FromLong(value);
780 }
781
782 /* Returns the parent ACL of the entry */
783 static PyObject* Entry_get_parent(PyObject *obj, void* arg) {
784     Entry_Object *self = (Entry_Object*) obj;
785
786     Py_INCREF(self->parent_acl);
787     return self->parent_acl;
788 }
789
790 /* Returns the a new Permset representing the permset of the entry
791  * FIXME: Should return a new reference to the same object, which
792  * should be created at init time!
793  */
794 static PyObject* Entry_get_permset(PyObject *obj, void* arg) {
795     Entry_Object *self = (Entry_Object*)obj;
796     PyObject *p;
797     Permset_Object *ps;
798
799     p = Permset_new(&Permset_Type, NULL, NULL);
800     if(p == NULL)
801         return NULL;
802     ps = (Permset_Object*)p;
803     if(acl_get_permset(self->entry, &ps->permset) == -1) {
804         PyErr_SetFromErrno(PyExc_IOError);
805         return NULL;
806     }
807     ps->parent_entry = obj;
808     Py_INCREF(obj);
809
810     return (PyObject*)p;
811 }
812
813 /* Sets the permset of the entry to the passed Permset */
814 static int Entry_set_permset(PyObject* obj, PyObject* value, void* arg) {
815     Entry_Object *self = (Entry_Object*)obj;
816     Permset_Object *p;
817
818     if(!PyObject_IsInstance(value, (PyObject*)&Permset_Type)) {
819         PyErr_SetString(PyExc_TypeError, "argument 1 must be posix1e.Permset");
820         return -1;
821     }
822     p = (Permset_Object*)value;
823     if(acl_set_permset(self->entry, p->permset) == -1) {
824         PyErr_SetFromErrno(PyExc_IOError);
825         return -1;
826     }
827     return 0;
828 }
829
830 static char __Entry_copy_doc__[] =
831     "Copy an ACL entry.\n"
832     "\n"
833     "This method sets all the parameters to those of another\n"
834     "entry, even one of another's ACL\n"
835     "Parameters:\n"
836     " - src, instance of type Entry\n"
837     ;
838
839 /* Sets all the entry parameters to another's entry */
840 static PyObject* Entry_copy(PyObject *obj, PyObject *args) {
841     Entry_Object *self = (Entry_Object*)obj;
842     Entry_Object *other;
843
844     if(!PyArg_ParseTuple(args, "O!", &Entry_Type, &other))
845         return NULL;
846
847     if(acl_copy_entry(self->entry, other->entry) == -1)
848         return PyErr_SetFromErrno(PyExc_IOError);
849
850     Py_INCREF(Py_None);
851     return Py_None;
852 }
853
854 /**** Permset type *****/
855
856 /* Creation of a new Permset instance */
857 static PyObject* Permset_new(PyTypeObject* type, PyObject* args,
858                              PyObject *keywds) {
859     PyObject* newpermset;
860
861     newpermset = PyType_GenericNew(type, args, keywds);
862
863     if(newpermset != NULL) {
864         ((Permset_Object*)newpermset)->permset = NULL;
865         ((Permset_Object*)newpermset)->parent_entry = NULL;
866     }
867
868     return newpermset;
869 }
870
871 /* Initialization of a new Permset instance */
872 static int Permset_init(PyObject* obj, PyObject* args, PyObject *keywds) {
873     Permset_Object* self = (Permset_Object*) obj;
874     Entry_Object* parent = NULL;
875
876     if (!PyArg_ParseTuple(args, "O!", &Entry_Type, &parent))
877         return -1;
878
879     if(acl_get_permset(parent->entry, &self->permset) == -1) {
880         PyErr_SetFromErrno(PyExc_IOError);
881         return -1;
882     }
883
884     self->parent_entry = (PyObject*)parent;
885     Py_INCREF(parent);
886
887     return 0;
888 }
889
890 /* Free the Permset instance */
891 static void Permset_dealloc(PyObject* obj) {
892     Permset_Object *self = (Permset_Object*) obj;
893     PyObject *err_type, *err_value, *err_traceback;
894     int have_error = PyErr_Occurred() ? 1 : 0;
895
896     if (have_error)
897         PyErr_Fetch(&err_type, &err_value, &err_traceback);
898     if(self->parent_entry != NULL) {
899         Py_DECREF(self->parent_entry);
900         self->parent_entry = NULL;
901     }
902     if (have_error)
903         PyErr_Restore(err_type, err_value, err_traceback);
904     PyObject_DEL(self);
905 }
906
907 /* Permset string representation */
908 static PyObject* Permset_str(PyObject *obj) {
909     Permset_Object *self = (Permset_Object*) obj;
910     char pstr[3];
911
912     pstr[0] = get_perm(self->permset, ACL_READ) ? 'r' : '-';
913     pstr[1] = get_perm(self->permset, ACL_WRITE) ? 'w' : '-';
914     pstr[2] = get_perm(self->permset, ACL_EXECUTE) ? 'x' : '-';
915     return PyString_FromStringAndSize(pstr, 3);
916 }
917
918 static char __Permset_clear_doc__[] =
919     "Clear all permissions from the permission set.\n"
920     ;
921
922 /* Clears all permissions from the permset */
923 static PyObject* Permset_clear(PyObject* obj, PyObject* args) {
924     Permset_Object *self = (Permset_Object*) obj;
925
926     if(acl_clear_perms(self->permset) == -1)
927         return PyErr_SetFromErrno(PyExc_IOError);
928
929     /* Return the result */
930     Py_INCREF(Py_None);
931     return Py_None;
932 }
933
934 static PyObject* Permset_get_right(PyObject *obj, void* arg) {
935     Permset_Object *self = (Permset_Object*) obj;
936
937     if(get_perm(self->permset, *(acl_perm_t*)arg)) {
938         Py_INCREF(Py_True);
939         return Py_True;
940     } else {
941         Py_INCREF(Py_False);
942         return Py_False;
943     }
944 }
945
946 static int Permset_set_right(PyObject* obj, PyObject* value, void* arg) {
947     Permset_Object *self = (Permset_Object*) obj;
948     int on;
949     int nerr;
950
951     if(!PyInt_Check(value)) {
952         PyErr_SetString(PyExc_ValueError, "a maximum of one argument must"
953                         " be passed");
954         return -1;
955     }
956     on = PyInt_AsLong(value);
957     if(on)
958         nerr = acl_add_perm(self->permset, *(acl_perm_t*)arg);
959     else
960         nerr = acl_delete_perm(self->permset, *(acl_perm_t*)arg);
961     if(nerr == -1) {
962         PyErr_SetFromErrno(PyExc_IOError);
963         return -1;
964     }
965     return 0;
966 }
967
968 static char __Permset_add_doc__[] =
969     "Add a permission to the permission set.\n"
970     "\n"
971     "The add() function adds the permission contained in \n"
972     "the argument perm to the permission set.  An attempt \n"
973     "to add a permission that is already contained in the \n"
974     "permission set is not considered an error.\n"
975     "Parameters:\n"
976     "  - perm a permission (ACL_WRITE, ACL_READ, ACL_EXECUTE, ...\n"
977     "Return value:\n"
978     "  None\n"
979     "Can raise: IOError\n"
980     ;
981
982 static PyObject* Permset_add(PyObject* obj, PyObject* args) {
983     Permset_Object *self = (Permset_Object*) obj;
984     int right;
985
986     if (!PyArg_ParseTuple(args, "i", &right))
987         return NULL;
988
989     if(acl_add_perm(self->permset, (acl_perm_t) right) == -1)
990         return PyErr_SetFromErrno(PyExc_IOError);
991
992     /* Return the result */
993     Py_INCREF(Py_None);
994     return Py_None;
995 }
996
997 static char __Permset_delete_doc__[] =
998     "Delete a permission from the permission set.\n"
999     "\n"
1000     "The delete() function deletes the permission contained in \n"
1001     "the argument perm from the permission set.  An attempt \n"
1002     "to delete a permission that is not contained in the \n"
1003     "permission set is not considered an error.\n"
1004     "Parameters:\n"
1005     "  - perm a permission (ACL_WRITE, ACL_READ, ACL_EXECUTE, ...\n"
1006     "Return value:\n"
1007     "  None\n"
1008     "Can raise: IOError\n"
1009     ;
1010
1011 static PyObject* Permset_delete(PyObject* obj, PyObject* args) {
1012     Permset_Object *self = (Permset_Object*) obj;
1013     int right;
1014
1015     if (!PyArg_ParseTuple(args, "i", &right))
1016         return NULL;
1017
1018     if(acl_delete_perm(self->permset, (acl_perm_t) right) == -1)
1019         return PyErr_SetFromErrno(PyExc_IOError);
1020
1021     /* Return the result */
1022     Py_INCREF(Py_None);
1023     return Py_None;
1024 }
1025
1026 static char __Permset_test_doc__[] =
1027     "Test if a permission exists in the permission set.\n"
1028     "\n"
1029     "The test() function tests if the permission contained in \n"
1030     "the argument perm exits the permission set.\n"
1031     "Parameters:\n"
1032     "  - perm a permission (ACL_WRITE, ACL_READ, ACL_EXECUTE, ...\n"
1033     "Return value:\n"
1034     "  Bool\n"
1035     "Can raise: IOError\n"
1036     ;
1037
1038 static PyObject* Permset_test(PyObject* obj, PyObject* args) {
1039     Permset_Object *self = (Permset_Object*) obj;
1040     int right;
1041     int ret;
1042
1043     if (!PyArg_ParseTuple(args, "i", &right))
1044         return NULL;
1045
1046     ret = get_perm(self->permset, (acl_perm_t) right);
1047     if(ret == -1)
1048         return PyErr_SetFromErrno(PyExc_IOError);
1049
1050     if(ret) {
1051         Py_INCREF(Py_True);
1052         return Py_True;
1053     } else {
1054         Py_INCREF(Py_False);
1055         return Py_False;
1056     }
1057 }
1058
1059 #endif
1060
1061 static char __ACL_Type_doc__[] =
1062     "Type which represents a POSIX ACL\n"
1063     "\n"
1064     "Parameters:\n"
1065     "  Only one keword parameter should be provided:\n"
1066     "  - file=\"...\", meaning create ACL representing\n"
1067     "    the access ACL of that file\n"
1068     "  - filedef=\"...\", meaning create ACL representing\n"
1069     "    the default ACL of that directory\n"
1070     "  - fd=<int>, meaning create ACL representing\n"
1071     "    the access ACL of that file descriptor\n"
1072     "  - text=\"...\", meaning create ACL from a \n"
1073     "    textual description\n"
1074     "  - acl=<ACL instance>, meaning create a copy\n"
1075     "    of an existing ACL instance\n"
1076     "  - mode=<int>, meaning create an ACL from a numeric mode\n"
1077     "    (e.g. mode=0644) (this is valid only when the C library\n"
1078     "    provides the acl_from_mode call)\n"
1079     "If no parameters are passed, create an empty ACL; this\n"
1080     "makes sense only when your OS supports ACL modification\n"
1081     " (i.e. it implements full POSIX.1e support)\n"
1082     ;
1083
1084 /* ACL type methods */
1085 static PyMethodDef ACL_methods[] = {
1086     {"applyto", ACL_applyto, METH_VARARGS, __applyto_doc__},
1087     {"valid", ACL_valid, METH_NOARGS, __valid_doc__},
1088 #ifdef HAVE_LINUX
1089     {"to_any_text", (PyCFunction)ACL_to_any_text, METH_VARARGS | METH_KEYWORDS,
1090      __to_any_text_doc__},
1091     {"check", ACL_check, METH_NOARGS, __check_doc__},
1092     {"equiv_mode", ACL_equiv_mode, METH_NOARGS, __equiv_mode_doc__},
1093 #endif
1094 #ifdef HAVE_ACL_COPYEXT
1095     {"__getstate__", ACL_get_state, METH_NOARGS,
1096      "Dumps the ACL to an external format."},
1097     {"__setstate__", ACL_set_state, METH_VARARGS,
1098      "Loads the ACL from an external format."},
1099 #endif
1100 #ifdef HAVE_LEVEL2
1101     {"delete_entry", ACL_delete_entry, METH_VARARGS, __ACL_delete_entry_doc__},
1102     {"calc_mask", ACL_calc_mask, METH_NOARGS, __ACL_calc_mask_doc__},
1103     {"append", ACL_append, METH_VARARGS, __ACL_append_doc__},
1104 #endif
1105     {NULL, NULL, 0, NULL}
1106 };
1107
1108
1109 /* The definition of the ACL Type */
1110 static PyTypeObject ACL_Type = {
1111     PyObject_HEAD_INIT(NULL)
1112     0,
1113     "posix1e.ACL",
1114     sizeof(ACL_Object),
1115     0,
1116     ACL_dealloc,        /* tp_dealloc */
1117     0,                  /* tp_print */
1118     0,                  /* tp_getattr */
1119     0,                  /* tp_setattr */
1120     ACL_nocmp,          /* tp_compare */
1121     0,                  /* tp_repr */
1122     0,                  /* tp_as_number */
1123     0,                  /* tp_as_sequence */
1124     0,                  /* tp_as_mapping */
1125     0,                  /* tp_hash */
1126     0,                  /* tp_call */
1127     ACL_str,            /* tp_str */
1128     0,                  /* tp_getattro */
1129     0,                  /* tp_setattro */
1130     0,                  /* tp_as_buffer */
1131     Py_TPFLAGS_DEFAULT, /* tp_flags */
1132     __ACL_Type_doc__,   /* tp_doc */
1133     0,                  /* tp_traverse */
1134     0,                  /* tp_clear */
1135 #ifdef HAVE_LINUX
1136     ACL_richcompare,    /* tp_richcompare */
1137 #else
1138     0,                  /* tp_richcompare */
1139 #endif
1140     0,                  /* tp_weaklistoffset */
1141 #ifdef HAVE_LEVEL2
1142     ACL_iter,
1143     ACL_iternext,
1144 #else
1145     0,                  /* tp_iter */
1146     0,                  /* tp_iternext */
1147 #endif
1148     ACL_methods,        /* tp_methods */
1149     0,                  /* tp_members */
1150     0,                  /* tp_getset */
1151     0,                  /* tp_base */
1152     0,                  /* tp_dict */
1153     0,                  /* tp_descr_get */
1154     0,                  /* tp_descr_set */
1155     0,                  /* tp_dictoffset */
1156     ACL_init,           /* tp_init */
1157     0,                  /* tp_alloc */
1158     ACL_new,            /* tp_new */
1159 };
1160
1161 #ifdef HAVE_LEVEL2
1162
1163 /* Entry type methods */
1164 static PyMethodDef Entry_methods[] = {
1165     {"copy", Entry_copy, METH_VARARGS, __Entry_copy_doc__},
1166     {NULL, NULL, 0, NULL}
1167 };
1168
1169 static char __Entry_tagtype_doc__[] =
1170     "The tag type of the current entry\n"
1171     "\n"
1172     "This is one of:\n"
1173     " - ACL_UNDEFINED_TAG\n"
1174     " - ACL_USER_OBJ\n"
1175     " - ACL_USER\n"
1176     " - ACL_GROUP_OBJ\n"
1177     " - ACL_GROUP\n"
1178     " - ACL_MASK\n"
1179     " - ACL_OTHER\n"
1180     ;
1181
1182 static char __Entry_qualifier_doc__[] =
1183     "The qualifier of the current entry\n"
1184     "\n"
1185     "If the tag type is ACL_USER, this should be a user id.\n"
1186     "If the tag type if ACL_GROUP, this should be a group id.\n"
1187     "Else, it doesn't matter.\n"
1188     ;
1189
1190 static char __Entry_parent_doc__[] =
1191     "The parent ACL of this entry\n"
1192     ;
1193
1194 static char __Entry_permset_doc__[] =
1195     "The permission set of this ACL entry\n"
1196     ;
1197
1198 /* Entry getset */
1199 static PyGetSetDef Entry_getsets[] = {
1200     {"tag_type", Entry_get_tag_type, Entry_set_tag_type,
1201      __Entry_tagtype_doc__},
1202     {"qualifier", Entry_get_qualifier, Entry_set_qualifier,
1203      __Entry_qualifier_doc__},
1204     {"parent", Entry_get_parent, NULL, __Entry_parent_doc__},
1205     {"permset", Entry_get_permset, Entry_set_permset, __Entry_permset_doc__},
1206     {NULL}
1207 };
1208
1209 static char __Entry_Type_doc__[] =
1210     "Type which represents an entry in an ACL.\n"
1211     "\n"
1212     "The type exists only if the OS has full support for POSIX.1e\n"
1213     "Can be created either by:\n"
1214     "  e = posix1e.Entry(myACL) # this creates a new entry in the ACL\n"
1215     "or by:\n"
1216     "  for entry in myACL:\n"
1217     "      print entry\n"
1218     "\n"
1219     "Note that the Entry keeps a reference to its ACL, so even if \n"
1220     "you delete the ACL, it won't be cleaned up and will continue to \n"
1221     "exist until its Entry(ies) will be deleted.\n"
1222     ;
1223 /* The definition of the Entry Type */
1224 static PyTypeObject Entry_Type = {
1225     PyObject_HEAD_INIT(NULL)
1226     0,
1227     "posix1e.Entry",
1228     sizeof(Entry_Object),
1229     0,
1230     Entry_dealloc,      /* tp_dealloc */
1231     0,                  /* tp_print */
1232     0,                  /* tp_getattr */
1233     0,                  /* tp_setattr */
1234     0,                  /* tp_compare */
1235     0,                  /* tp_repr */
1236     0,                  /* tp_as_number */
1237     0,                  /* tp_as_sequence */
1238     0,                  /* tp_as_mapping */
1239     0,                  /* tp_hash */
1240     0,                  /* tp_call */
1241     Entry_str,          /* tp_str */
1242     0,                  /* tp_getattro */
1243     0,                  /* tp_setattro */
1244     0,                  /* tp_as_buffer */
1245     Py_TPFLAGS_DEFAULT, /* tp_flags */
1246     __Entry_Type_doc__, /* tp_doc */
1247     0,                  /* tp_traverse */
1248     0,                  /* tp_clear */
1249     0,                  /* tp_richcompare */
1250     0,                  /* tp_weaklistoffset */
1251     0,                  /* tp_iter */
1252     0,                  /* tp_iternext */
1253     Entry_methods,      /* tp_methods */
1254     0,                  /* tp_members */
1255     Entry_getsets,      /* tp_getset */
1256     0,                  /* tp_base */
1257     0,                  /* tp_dict */
1258     0,                  /* tp_descr_get */
1259     0,                  /* tp_descr_set */
1260     0,                  /* tp_dictoffset */
1261     Entry_init,         /* tp_init */
1262     0,                  /* tp_alloc */
1263     Entry_new,          /* tp_new */
1264 };
1265
1266 /* Permset type methods */
1267 static PyMethodDef Permset_methods[] = {
1268     {"clear", Permset_clear, METH_NOARGS, __Permset_clear_doc__, },
1269     {"add", Permset_add, METH_VARARGS, __Permset_add_doc__, },
1270     {"delete", Permset_delete, METH_VARARGS, __Permset_delete_doc__, },
1271     {"test", Permset_test, METH_VARARGS, __Permset_test_doc__, },
1272     {NULL, NULL, 0, NULL}
1273 };
1274
1275 static char __Permset_execute_doc__[] =
1276     "Execute permsission\n"
1277     "\n"
1278     "This is a convenience method of access; the \n"
1279     "same effect can be achieved using the functions\n"
1280     "add(), test(), delete(), and those can take any \n"
1281     "permission defined by your platform.\n"
1282     ;
1283
1284 static char __Permset_read_doc__[] =
1285     "Read permsission\n"
1286     "\n"
1287     "This is a convenience method of access; the \n"
1288     "same effect can be achieved using the functions\n"
1289     "add(), test(), delete(), and those can take any \n"
1290     "permission defined by your platform.\n"
1291     ;
1292
1293 static char __Permset_write_doc__[] =
1294     "Write permsission\n"
1295     "\n"
1296     "This is a convenience method of access; the \n"
1297     "same effect can be achieved using the functions\n"
1298     "add(), test(), delete(), and those can take any \n"
1299     "permission defined by your platform.\n"
1300     ;
1301
1302 /* Permset getset */
1303 static PyGetSetDef Permset_getsets[] = {
1304     {"execute", Permset_get_right, Permset_set_right,
1305      __Permset_execute_doc__, &holder_ACL_EXECUTE},
1306     {"read", Permset_get_right, Permset_set_right,
1307      __Permset_read_doc__, &holder_ACL_READ},
1308     {"write", Permset_get_right, Permset_set_right,
1309      __Permset_write_doc__, &holder_ACL_WRITE},
1310     {NULL}
1311 };
1312
1313 static char __Permset_Type_doc__[] =
1314     "Type which represents the permission set in an ACL entry\n"
1315     "\n"
1316     "The type exists only if the OS has full support for POSIX.1e\n"
1317     "Can be created either by:\n"
1318     "  perms = myEntry.permset\n"
1319     "or by:\n"
1320     "  perms = posix1e.Permset(myEntry)\n"
1321     "\n"
1322     "Note that the Permset keeps a reference to its Entry, so even if \n"
1323     "you delete the entry, it won't be cleaned up and will continue to \n"
1324     "exist until its Permset will be deleted.\n"
1325     ;
1326
1327 /* The definition of the Permset Type */
1328 static PyTypeObject Permset_Type = {
1329     PyObject_HEAD_INIT(NULL)
1330     0,
1331     "posix1e.Permset",
1332     sizeof(Permset_Object),
1333     0,
1334     Permset_dealloc,    /* tp_dealloc */
1335     0,                  /* tp_print */
1336     0,                  /* tp_getattr */
1337     0,                  /* tp_setattr */
1338     0,                  /* tp_compare */
1339     0,                  /* tp_repr */
1340     0,                  /* tp_as_number */
1341     0,                  /* tp_as_sequence */
1342     0,                  /* tp_as_mapping */
1343     0,                  /* tp_hash */
1344     0,                  /* tp_call */
1345     Permset_str,        /* tp_str */
1346     0,                  /* tp_getattro */
1347     0,                  /* tp_setattro */
1348     0,                  /* tp_as_buffer */
1349     Py_TPFLAGS_DEFAULT, /* tp_flags */
1350     __Permset_Type_doc__,/* tp_doc */
1351     0,                  /* tp_traverse */
1352     0,                  /* tp_clear */
1353     0,                  /* tp_richcompare */
1354     0,                  /* tp_weaklistoffset */
1355     0,                  /* tp_iter */
1356     0,                  /* tp_iternext */
1357     Permset_methods,    /* tp_methods */
1358     0,                  /* tp_members */
1359     Permset_getsets,    /* tp_getset */
1360     0,                  /* tp_base */
1361     0,                  /* tp_dict */
1362     0,                  /* tp_descr_get */
1363     0,                  /* tp_descr_set */
1364     0,                  /* tp_dictoffset */
1365     Permset_init,       /* tp_init */
1366     0,                  /* tp_alloc */
1367     Permset_new,        /* tp_new */
1368 };
1369
1370 #endif
1371
1372 /* Module methods */
1373
1374 static char __deletedef_doc__[] =
1375     "Delete the default ACL from a directory.\n"
1376     "\n"
1377     "This function deletes the default ACL associated with \n"
1378     "a directory (the ACL which will be ANDed with the mode\n"
1379     "parameter to the open, creat functions).\n"
1380     "Parameters:\n"
1381     "  - a string representing the directory whose default ACL\n"
1382     "    should be deleted\n"
1383     ;
1384
1385 /* Deletes the default ACL from a directory */
1386 static PyObject* aclmodule_delete_default(PyObject* obj, PyObject* args) {
1387     char *filename;
1388
1389     /* Parse the arguments */
1390     if (!PyArg_ParseTuple(args, "s", &filename))
1391         return NULL;
1392
1393     if(acl_delete_def_file(filename) == -1) {
1394         return PyErr_SetFromErrno(PyExc_IOError);
1395     }
1396
1397     /* Return the result */
1398     Py_INCREF(Py_None);
1399     return Py_None;
1400 }
1401
1402 #ifdef HAVE_LINUX
1403 static char __has_extended_doc__[] =
1404     "Check if a file or filehandle has an extended ACL.\n"
1405     "\n"
1406     "Parameter:\n"
1407     "  - either a filename or a file-like object or an integer; this\n"
1408     "    represents the filesystem object on which to act\n"
1409     ;
1410
1411 /* Check for extended ACL a file or fd */
1412 static PyObject* aclmodule_has_extended(PyObject* obj, PyObject* args) {
1413     PyObject *myarg;
1414     int nret;
1415     int fd;
1416
1417     if (!PyArg_ParseTuple(args, "O", &myarg))
1418         return NULL;
1419
1420     if(PyString_Check(myarg)) {
1421         const char *filename = PyString_AS_STRING(myarg);
1422         nret = acl_extended_file(filename);
1423     } else if((fd = PyObject_AsFileDescriptor(myarg)) != -1) {
1424         nret = acl_extended_fd(fd);
1425     } else {
1426         PyErr_SetString(PyExc_TypeError, "argument 1 must be string, int,"
1427                         " or file-like object");
1428         return 0;
1429     }
1430     if(nret == -1) {
1431         return PyErr_SetFromErrno(PyExc_IOError);
1432     }
1433
1434     /* Return the result */
1435     return PyBool_FromLong(nret);
1436 }
1437 #endif
1438
1439 /* The module methods */
1440 static PyMethodDef aclmodule_methods[] = {
1441     {"delete_default", aclmodule_delete_default, METH_VARARGS,
1442      __deletedef_doc__},
1443 #ifdef HAVE_LINUX
1444     {"has_extended", aclmodule_has_extended, METH_VARARGS,
1445      __has_extended_doc__},
1446 #endif
1447     {NULL, NULL, 0, NULL}
1448 };
1449
1450 static char __posix1e_doc__[] =
1451     "POSIX.1e ACLs manipulation\n"
1452     "\n"
1453     "This module provides support for manipulating POSIX.1e ACLS\n"
1454     "\n"
1455     "Depending on the operating system support for POSIX.1e, \n"
1456     "the ACL type will have more or less capabilities:\n"
1457     "  - level 1, only basic support, you can create\n"
1458     "    ACLs from files and text descriptions;\n"
1459     "    once created, the type is immutable\n"
1460     "  - level 2, complete support, you can alter\n"
1461     "    the ACL once it is created\n"
1462     "\n"
1463     "Also, in level 2, more types are available, corresponding\n"
1464     "to acl_entry_t (Entry type), acl_permset_t (Permset type).\n"
1465     "\n"
1466     "Example:\n"
1467     ">>> import posix1e\n"
1468     ">>> acl1 = posix1e.ACL(file=\"file.txt\") \n"
1469     ">>> print acl1\n"
1470     "user::rw-\n"
1471     "group::rw-\n"
1472     "other::r--\n"
1473     "\n"
1474     ">>> b = posix1e.ACL(text=\"u::rx,g::-,o::-\")\n"
1475     ">>> print b\n"
1476     "user::r-x\n"
1477     "group::---\n"
1478     "other::---\n"
1479     "\n"
1480     ">>> b.applyto(\"file.txt\")\n"
1481     ">>> print posix1e.ACL(file=\"file.txt\")\n"
1482     "user::r-x\n"
1483     "group::---\n"
1484     "other::---\n"
1485     "\n"
1486     ">>>\n"
1487     ;
1488
1489 void initposix1e(void) {
1490     PyObject *m, *d;
1491
1492     ACL_Type.ob_type = &PyType_Type;
1493     if(PyType_Ready(&ACL_Type) < 0)
1494         return;
1495
1496 #ifdef HAVE_LEVEL2
1497     Entry_Type.ob_type = &PyType_Type;
1498     if(PyType_Ready(&Entry_Type) < 0)
1499         return;
1500
1501     Permset_Type.ob_type = &PyType_Type;
1502     if(PyType_Ready(&Permset_Type) < 0)
1503         return;
1504 #endif
1505
1506     m = Py_InitModule3("posix1e", aclmodule_methods, __posix1e_doc__);
1507
1508     d = PyModule_GetDict(m);
1509     if (d == NULL)
1510         return;
1511
1512     Py_INCREF(&ACL_Type);
1513     if (PyDict_SetItemString(d, "ACL",
1514                              (PyObject *) &ACL_Type) < 0)
1515         return;
1516
1517     /* 23.3.6 acl_type_t values */
1518     PyModule_AddIntConstant(m, "ACL_TYPE_ACCESS", ACL_TYPE_ACCESS);
1519     PyModule_AddIntConstant(m, "ACL_TYPE_DEFAULT", ACL_TYPE_DEFAULT);
1520
1521
1522 #ifdef HAVE_LEVEL2
1523     Py_INCREF(&Entry_Type);
1524     if (PyDict_SetItemString(d, "Entry",
1525                              (PyObject *) &Entry_Type) < 0)
1526         return;
1527
1528     Py_INCREF(&Permset_Type);
1529     if (PyDict_SetItemString(d, "Permset",
1530                              (PyObject *) &Permset_Type) < 0)
1531         return;
1532
1533     /* 23.2.2 acl_perm_t values */
1534     PyModule_AddIntConstant(m, "ACL_READ", ACL_READ);
1535     PyModule_AddIntConstant(m, "ACL_WRITE", ACL_WRITE);
1536     PyModule_AddIntConstant(m, "ACL_EXECUTE", ACL_EXECUTE);
1537
1538     /* 23.2.5 acl_tag_t values */
1539     PyModule_AddIntConstant(m, "ACL_UNDEFINED_TAG", ACL_UNDEFINED_TAG);
1540     PyModule_AddIntConstant(m, "ACL_USER_OBJ", ACL_USER_OBJ);
1541     PyModule_AddIntConstant(m, "ACL_USER", ACL_USER);
1542     PyModule_AddIntConstant(m, "ACL_GROUP_OBJ", ACL_GROUP_OBJ);
1543     PyModule_AddIntConstant(m, "ACL_GROUP", ACL_GROUP);
1544     PyModule_AddIntConstant(m, "ACL_MASK", ACL_MASK);
1545     PyModule_AddIntConstant(m, "ACL_OTHER", ACL_OTHER);
1546
1547     /* Document extended functionality via easy-to-use constants */
1548     PyModule_AddIntConstant(m, "HAS_ACL_ENTRY", 1);
1549 #else
1550     PyModule_AddIntConstant(m, "HAS_ACL_ENTRY", 0);
1551 #endif
1552
1553 #ifdef HAVE_LINUX
1554     /* Linux libacl specific acl_to_any_text constants */
1555     PyModule_AddIntConstant(m, "TEXT_ABBREVIATE", TEXT_ABBREVIATE);
1556     PyModule_AddIntConstant(m, "TEXT_NUMERIC_IDS", TEXT_NUMERIC_IDS);
1557     PyModule_AddIntConstant(m, "TEXT_SOME_EFFECTIVE", TEXT_SOME_EFFECTIVE);
1558     PyModule_AddIntConstant(m, "TEXT_ALL_EFFECTIVE", TEXT_ALL_EFFECTIVE);
1559     PyModule_AddIntConstant(m, "TEXT_SMART_INDENT", TEXT_SMART_INDENT);
1560
1561     /* Linux libacl specific acl_check constants */
1562     PyModule_AddIntConstant(m, "ACL_MULTI_ERROR", ACL_MULTI_ERROR);
1563     PyModule_AddIntConstant(m, "ACL_DUPLICATE_ERROR", ACL_DUPLICATE_ERROR);
1564     PyModule_AddIntConstant(m, "ACL_MISS_ERROR", ACL_MISS_ERROR);
1565     PyModule_AddIntConstant(m, "ACL_ENTRY_ERROR", ACL_ENTRY_ERROR);
1566
1567     /* declare the Linux extensions */
1568     PyModule_AddIntConstant(m, "HAS_ACL_FROM_MODE", 1);
1569     PyModule_AddIntConstant(m, "HAS_ACL_CHECK", 1);
1570     PyModule_AddIntConstant(m, "HAS_EXTENDED_CHECK", 1);
1571     PyModule_AddIntConstant(m, "HAS_EQUIV_MODE", 1);
1572 #else
1573     PyModule_AddIntConstant(m, "HAS_ACL_FROM_MODE", 0);
1574     PyModule_AddIntConstant(m, "HAS_ACL_CHECK", 0);
1575     PyModule_AddIntConstant(m, "HAS_EXTENDED_CHECK", 0);
1576     PyModule_AddIntConstant(m, "HAS_EQUIV_MODE", 0);
1577 #endif
1578 }