Remove unnecessary hdr.instance() method
[tools/librpm-tizen.git] / python / header-py.c
1 #include "rpmsystem-py.h"
2
3 #include <rpm/rpmlib.h>         /* rpmvercmp */
4 #include <rpm/rpmtag.h>
5 #include <rpm/rpmstring.h>
6 #include <rpm/rpmts.h>  /* XXX rpmtsCreate/rpmtsFree */
7
8 #include "header-py.h"
9 #include "rpmds-py.h"
10 #include "rpmfd-py.h"
11 #include "rpmfi-py.h"
12 #include "rpmtd-py.h"
13
14 #include "debug.h"
15
16 /** \ingroup python
17  * \class Rpm
18  * \brief START HERE / RPM base module for the Python API
19  *
20  * The rpm base module provides the main starting point for
21  * accessing RPM from Python. For most usage, call
22  * the TransactionSet method to get a transaction set (rpmts).
23  *
24  * For example:
25  * \code
26  *      import rpm
27  *
28  *      ts = rpm.TransactionSet()
29  * \endcode
30  *
31  * The transaction set will open the RPM database as needed, so
32  * in most cases, you do not need to explicitly open the
33  * database. The transaction set is the workhorse of RPM.
34  *
35  * You can open another RPM database, such as one that holds
36  * all packages for a given Linux distribution, to provide
37  * packages used to solve dependencies. To do this, use
38  * the following code:
39  *
40  * \code
41  * rpm.addMacro('_dbpath', '/path/to/alternate/database')
42  * solvets = rpm.TransactionSet()
43  * solvets.openDB()
44  * rpm.delMacro('_dbpath')
45  *
46  * # Open default database
47  * ts = rpm.TransactionSet()
48  * \endcode
49  *
50  * This code gives you access to two RPM databases through
51  * two transaction sets (rpmts): ts is a transaction set
52  * associated with the default RPM database and solvets
53  * is a transaction set tied to an alternate database, which
54  * is very useful for resolving dependencies.
55  *
56  * The rpm methods used here are:
57  *
58  * - addMacro(macro, value)
59  * @param macro   Name of macro to add
60  * @param value   Value for the macro
61  *
62  * - delMacro(macro)
63  * @param macro   Name of macro to delete
64  *
65  */
66
67 /** \ingroup python
68  * \class Rpmhdr
69  * \brief A python header object represents an RPM package header.
70  *
71  * All RPM packages have headers that provide metadata for the package.
72  * Header objects can be returned by database queries or loaded from a
73  * binary package on disk.
74  *
75  * The ts.hdrFromFdno() function returns the package header from a
76  * package on disk, verifying package signatures and digests of the
77  * package while reading.
78  *
79  * Note: The older method rpm.headerFromPackage() which has been replaced
80  * by ts.hdrFromFdno() used to return a (hdr, isSource) tuple.
81  *
82  * If you need to distinguish source/binary headers, do:
83  * \code
84  *      import os, rpm
85  *
86  *      ts = rpm.TransactionSet()
87  *      fdno = os.open("/tmp/foo-1.0-1.i386.rpm", os.O_RDONLY)
88  *      hdr = ts.hdrFromFdno(fdno)
89  *      os.close(fdno)
90  *      if hdr[rpm.RPMTAG_SOURCEPACKAGE]:
91  *         print "header is from a source package"
92  *      else:
93  *         print "header is from a binary package"
94  * \endcode
95  *
96  * The Python interface to the header data is quite elegant.  It
97  * presents the data in a dictionary form.  We'll take the header we
98  * just loaded and access the data within it:
99  * \code
100  *      print hdr[rpm.RPMTAG_NAME]
101  *      print hdr[rpm.RPMTAG_VERSION]
102  *      print hdr[rpm.RPMTAG_RELEASE]
103  * \endcode
104  * in the case of our "foo-1.0-1.i386.rpm" package, this code would
105  * output:
106 \verbatim
107         foo
108         1.0
109         1
110 \endverbatim
111  *
112  * You make also access the header data by string name:
113  * \code
114  *      print hdr['name']
115  *      print hdr['version']
116  *      print hdr['release']
117  * \endcode
118  *
119  * This method of access is a teensy bit slower because the name must be
120  * translated into the tag number dynamically. You also must make sure
121  * the strings in header lookups don't get translated, or the lookups
122  * will fail.
123  */
124
125 /** \ingroup python
126  * \name Class: rpm.hdr
127  */
128
129 struct hdrObject_s {
130     PyObject_HEAD
131     Header h;
132     HeaderIterator hi;
133 };
134
135 static PyObject * hdrKeyList(hdrObject * s)
136 {
137     PyObject * keys = PyList_New(0);
138     HeaderIterator hi = headerInitIterator(s->h);
139     rpmTag tag;
140
141     while ((tag = headerNextTag(hi)) != RPMTAG_NOT_FOUND) {
142         PyList_Append(keys, PyInt_FromLong(tag));
143     }
144     headerFreeIterator(hi);
145
146     return keys;
147 }
148
149 static PyObject * hdrUnload(hdrObject * s, PyObject * args, PyObject *keywords)
150 {
151     char * buf;
152     PyObject * rc;
153     int len, legacy = 0;
154     Header h;
155     static char *kwlist[] = { "legacyHeader", NULL};
156
157     if (!PyArg_ParseTupleAndKeywords(args, keywords, "|i", kwlist, &legacy))
158         return NULL;
159
160     h = headerLink(s->h);
161     /* XXX this legacy switch is a hack, needs to be removed. */
162     if (legacy) {
163         h = headerCopy(s->h);   /* XXX strip region tags, etc */
164         headerFree(s->h);
165     }
166     len = headerSizeof(h, 0);
167     buf = headerUnload(h);
168     h = headerFree(h);
169
170     if (buf == NULL || len == 0) {
171         PyErr_SetString(pyrpmError, "can't unload bad header\n");
172         return NULL;
173     }
174
175     rc = PyBytes_FromStringAndSize(buf, len);
176     buf = _free(buf);
177
178     return rc;
179 }
180
181 static PyObject * hdrExpandFilelist(hdrObject * s)
182 {
183     DEPRECATED_METHOD("use hdr.convert() instead");
184     headerConvert(s->h, HEADERCONV_EXPANDFILELIST);
185
186     Py_RETURN_NONE;
187 }
188
189 static PyObject * hdrCompressFilelist(hdrObject * s)
190 {
191     DEPRECATED_METHOD("use hdr.convert() instead");
192     headerConvert(s->h, HEADERCONV_COMPRESSFILELIST);
193
194     Py_RETURN_NONE;
195 }
196
197 /* make a header with _all_ the tags we need */
198 static PyObject * hdrFullFilelist(hdrObject * s)
199 {
200     rpmtd fileNames = rpmtdNew();
201     Header h = s->h;
202
203     DEPRECATED_METHOD("obsolete method");
204     if (!headerIsEntry (h, RPMTAG_BASENAMES)
205         || !headerIsEntry (h, RPMTAG_DIRNAMES)
206         || !headerIsEntry (h, RPMTAG_DIRINDEXES))
207         headerConvert(h, HEADERCONV_COMPRESSFILELIST);
208
209     if (headerGet(h, RPMTAG_FILENAMES, fileNames, HEADERGET_EXT)) {
210         rpmtdSetTag(fileNames, RPMTAG_OLDFILENAMES);
211         headerPut(h, fileNames, HEADERPUT_DEFAULT);
212         rpmtdFreeData(fileNames);
213     }
214     rpmtdFree(fileNames);
215
216     Py_RETURN_NONE;
217 }
218
219 static PyObject * hdrFormat(hdrObject * s, PyObject * args, PyObject * kwds)
220 {
221     char * fmt;
222     char * r;
223     errmsg_t err;
224     PyObject * result;
225     char * kwlist[] = {"format", NULL};
226
227     if (!PyArg_ParseTupleAndKeywords(args, kwds, "s", kwlist, &fmt))
228         return NULL;
229
230     r = headerFormat(s->h, fmt, &err);
231     if (!r) {
232         PyErr_SetString(pyrpmError, err);
233         return NULL;
234     }
235
236     result = Py_BuildValue("s", r);
237     r = _free(r);
238
239     return result;
240 }
241
242 static PyObject *hdrIsSource(hdrObject *s)
243 {
244     return PyBool_FromLong(headerIsSource(s->h));
245 }
246
247 static PyObject *hdrHasKey(hdrObject *s, PyObject *pytag)
248 {
249     rpmTag tag;
250     if (!tagNumFromPyObject(pytag, &tag)) return NULL;
251
252     return PyBool_FromLong(headerIsEntry(s->h, tag));
253 }
254
255 static PyObject *hdrConvert(hdrObject *self, PyObject *args, PyObject *kwds)
256 {
257     char *kwlist[] = {"op", NULL};
258     headerConvOps op = -1;
259
260     if (!PyArg_ParseTupleAndKeywords(args, kwds, "i", kwlist, &op)) {
261         return NULL;
262     }
263     return PyBool_FromLong(headerConvert(self->h, op));
264 }
265
266 static PyObject * hdrWrite(hdrObject *s, PyObject *args, PyObject *kwds)
267 {
268     char *kwlist[] = { "file", "magic", NULL };
269     int magic = 1;
270     rpmfdObject *fdo = NULL;
271     int rc;
272
273     if (!PyArg_ParseTupleAndKeywords(args, kwds, "O&|i", kwlist,
274                                      rpmfdFromPyObject, &fdo, &magic))
275         return NULL;
276
277     Py_BEGIN_ALLOW_THREADS;
278     rc = headerWrite(rpmfdGetFd(fdo), s->h,
279                      magic ? HEADER_MAGIC_YES : HEADER_MAGIC_NO);
280     Py_END_ALLOW_THREADS;
281
282     if (rc) PyErr_SetFromErrno(PyExc_IOError);
283     Py_XDECREF(fdo); /* avoid messing up errno with file close  */
284     if (rc) return NULL;
285
286     Py_RETURN_NONE;
287 }
288
289 static PyObject * hdr_fiFromHeader(PyObject * s, PyObject * args, PyObject * kwds)
290 {
291     /* XXX this isn't quite right wrt arg passing */
292     return PyObject_Call((PyObject *) &rpmfi_Type,
293                          Py_BuildValue("(O)", s), kwds);
294 }
295
296 static PyObject * hdr_dsFromHeader(PyObject * s, PyObject * args, PyObject * kwds)
297 {
298     /* XXX this isn't quite right wrt arg passing */
299     return PyObject_Call((PyObject *) &rpmds_Type,
300                          Py_BuildValue("(O)", s), kwds);
301 }
302
303 static PyObject * hdr_dsOfHeader(PyObject * s)
304 {
305     return PyObject_Call((PyObject *) &rpmds_Type,
306                         Py_BuildValue("(Oi)", s, RPMTAG_NEVR), NULL);
307 }
308
309 static long hdr_hash(PyObject * h)
310 {
311     return (long) h;
312 }
313
314 static struct PyMethodDef hdr_methods[] = {
315     {"keys",            (PyCFunction) hdrKeyList,       METH_NOARGS,
316         NULL },
317     {"unload",          (PyCFunction) hdrUnload,        METH_VARARGS|METH_KEYWORDS,
318         NULL },
319     {"expandFilelist",  (PyCFunction) hdrExpandFilelist,METH_NOARGS,
320         NULL },
321     {"compressFilelist",(PyCFunction) hdrCompressFilelist,METH_NOARGS,
322         NULL },
323     {"fullFilelist",    (PyCFunction) hdrFullFilelist,  METH_NOARGS,
324         NULL },
325     {"convert",         (PyCFunction) hdrConvert,       METH_VARARGS|METH_KEYWORDS,
326         NULL },
327     {"format",          (PyCFunction) hdrFormat,        METH_VARARGS|METH_KEYWORDS,
328         NULL },
329     {"has_key",         (PyCFunction) hdrHasKey,        METH_O,
330         NULL },
331     {"sprintf",         (PyCFunction) hdrFormat,        METH_VARARGS|METH_KEYWORDS,
332         NULL },
333     {"isSource",        (PyCFunction)hdrIsSource,       METH_NOARGS, 
334         NULL },
335     {"write",           (PyCFunction)hdrWrite,          METH_VARARGS|METH_KEYWORDS,
336         NULL },
337     {"dsOfHeader",      (PyCFunction)hdr_dsOfHeader,    METH_NOARGS,
338         NULL},
339     {"dsFromHeader",    (PyCFunction)hdr_dsFromHeader,  METH_VARARGS|METH_KEYWORDS,
340         NULL},
341     {"fiFromHeader",    (PyCFunction)hdr_fiFromHeader,  METH_VARARGS|METH_KEYWORDS,
342         NULL},
343
344     {NULL,              NULL}           /* sentinel */
345 };
346
347 /* TODO: permit keyring check + retrofits on copy/load */
348 static PyObject *hdr_new(PyTypeObject *subtype, PyObject *args, PyObject *kwds)
349 {
350     PyObject *obj = NULL;
351     rpmfdObject *fdo = NULL;
352     Header h = NULL;
353     char *kwlist[] = { "obj", NULL };
354
355     if (!PyArg_ParseTupleAndKeywords(args, kwds, "|O", kwlist, &obj)) {
356         return NULL;
357     }
358
359     if (obj == NULL) {
360         h = headerNew();
361     } else if (PyCObject_Check(obj)) {
362         h = PyCObject_AsVoidPtr(obj);
363     } else if (hdrObject_Check(obj)) {
364         h = headerCopy(((hdrObject*) obj)->h);
365     } else if (PyBytes_Check(obj)) {
366         h = headerCopyLoad(PyBytes_AsString(obj));
367     } else if (rpmfdFromPyObject(obj, &fdo)) {
368         Py_BEGIN_ALLOW_THREADS;
369         h = headerRead(rpmfdGetFd(fdo), HEADER_MAGIC_YES);
370         Py_END_ALLOW_THREADS;
371         Py_XDECREF(fdo);
372     } else {
373         PyErr_SetString(PyExc_TypeError, "header, blob or file expected");
374         return NULL;
375     }
376
377     if (h == NULL) {
378         PyErr_SetString(pyrpmError, "bad header");
379         return NULL;
380     }
381     
382     return hdr_Wrap(subtype, h);
383 }
384
385 static void hdr_dealloc(hdrObject * s)
386 {
387     if (s->h) headerFree(s->h);
388     Py_TYPE(s)->tp_free((PyObject *)s);
389 }
390
391 static PyObject * hdr_iternext(hdrObject *s)
392 {
393     PyObject *res = NULL;
394     rpmTag tag;
395
396     if (s->hi == NULL) s->hi = headerInitIterator(s->h);
397
398     if ((tag = headerNextTag(s->hi)) != RPMTAG_NOT_FOUND) {
399         int raw = 1;
400         res = PyObject_Call((PyObject *) &rpmtd_Type,
401                             Py_BuildValue("(Oii)", s, tag, raw), NULL);
402     } else {
403         s->hi = headerFreeIterator(s->hi);
404     }
405     return res;
406 }
407
408 int utf8FromPyObject(PyObject *item, PyObject **str)
409 {
410     PyObject *res = NULL;
411     if (PyBytes_Check(item)) {
412         Py_XINCREF(item);
413         res = item;
414     } else if (PyUnicode_Check(item)) {
415         res = PyUnicode_AsUTF8String(item);
416     }
417     if (res == NULL) return 0;
418
419     *str = res;
420     return 1;
421 }
422
423 int tagNumFromPyObject (PyObject *item, rpmTag *tagp)
424 {
425     rpmTag tag = RPMTAG_NOT_FOUND;
426     PyObject *str = NULL;
427
428     if (PyInt_Check(item)) {
429         /* XXX we should probably validate tag numbers too */
430         tag = PyInt_AsLong(item);
431     } else if (utf8FromPyObject(item, &str)) {
432         tag = rpmTagGetValue(PyBytes_AsString(str));
433         Py_DECREF(str);
434     } else {
435         PyErr_SetString(PyExc_TypeError, "expected a string or integer");
436         return 0;
437     }
438     if (tag == RPMTAG_NOT_FOUND) {
439         PyErr_SetString(PyExc_ValueError, "unknown header tag");
440         return 0;
441     }
442
443     *tagp = tag;
444     return 1;
445 }
446
447 static PyObject * hdrGetTag(Header h, rpmTag tag)
448 {
449     PyObject *res = NULL;
450     struct rpmtd_s td;
451
452     /* rpmtd_AsPyObj() knows how to handle empty containers and all */
453     (void) headerGet(h, tag, &td, HEADERGET_EXT);
454     res = rpmtd_AsPyobj(&td);
455     rpmtdFreeData(&td);
456     return res;
457 }
458
459 static PyObject * hdr_subscript(hdrObject * s, PyObject * item)
460 {
461     rpmTag tag;
462
463     if (!tagNumFromPyObject(item, &tag)) return NULL;
464     return hdrGetTag(s->h, tag);
465 }
466
467 static int hdr_ass_subscript(hdrObject *s, PyObject *key, PyObject *value)
468 {
469     rpmTag tag;
470     rpmtd td;
471     if (!tagNumFromPyObject(key, &tag)) return -1;
472
473     if (value == NULL) {
474         /* XXX should failure raise key error? */
475         headerDel(s->h, tag);
476     } else if (rpmtdFromPyObject(value, &td)) {
477         headerPut(s->h, td, HEADERPUT_DEFAULT);
478     } else {
479         return -1;
480     }
481     return 0;
482 }
483
484 static PyObject * hdr_getattro(hdrObject * s, PyObject * n)
485 {
486     PyObject *res = PyObject_GenericGetAttr((PyObject *) s, n);
487     if (res == NULL) {
488         rpmTag tag;
489         if (tagNumFromPyObject(n, &tag)) {
490             PyErr_Clear();
491             res = hdrGetTag(s->h, tag);
492         }
493     }
494     return res;
495 }
496
497 static int hdr_setattro(PyObject * o, PyObject * n, PyObject * v)
498 {
499     return PyObject_GenericSetAttr(o, n, v);
500 }
501
502 static PyMappingMethods hdr_as_mapping = {
503         (lenfunc) 0,                    /* mp_length */
504         (binaryfunc) hdr_subscript,     /* mp_subscript */
505         (objobjargproc)hdr_ass_subscript,/* mp_ass_subscript */
506 };
507
508 static char hdr_doc[] =
509 "";
510
511 PyTypeObject hdr_Type = {
512         PyVarObject_HEAD_INIT(&PyType_Type, 0)
513         "rpm.hdr",                      /* tp_name */
514         sizeof(hdrObject),              /* tp_size */
515         0,                              /* tp_itemsize */
516         (destructor) hdr_dealloc,       /* tp_dealloc */
517         0,                              /* tp_print */
518         (getattrfunc) 0,                /* tp_getattr */
519         0,                              /* tp_setattr */
520         0,                              /* tp_compare */
521         0,                              /* tp_repr */
522         0,                              /* tp_as_number */
523         0,                              /* tp_as_sequence */
524         &hdr_as_mapping,                /* tp_as_mapping */
525         hdr_hash,                       /* tp_hash */
526         0,                              /* tp_call */
527         0,                              /* tp_str */
528         (getattrofunc) hdr_getattro,    /* tp_getattro */
529         (setattrofunc) hdr_setattro,    /* tp_setattro */
530         0,                              /* tp_as_buffer */
531         Py_TPFLAGS_DEFAULT|Py_TPFLAGS_BASETYPE, /* tp_flags */
532         hdr_doc,                        /* tp_doc */
533         0,                              /* tp_traverse */
534         0,                              /* tp_clear */
535         0,                              /* tp_richcompare */
536         0,                              /* tp_weaklistoffset */
537         PyObject_SelfIter,              /* tp_iter */
538         (iternextfunc)hdr_iternext,     /* tp_iternext */
539         hdr_methods,                    /* tp_methods */
540         0,                              /* tp_members */
541         0,                              /* tp_getset */
542         0,                              /* tp_base */
543         0,                              /* tp_dict */
544         0,                              /* tp_descr_get */
545         0,                              /* tp_descr_set */
546         0,                              /* tp_dictoffset */
547         0,                              /* tp_init */
548         0,                              /* tp_alloc */
549         hdr_new,                        /* tp_new */
550         0,                              /* tp_free */
551         0,                              /* tp_is_gc */
552 };
553
554 PyObject * hdr_Wrap(PyTypeObject *subtype, Header h)
555 {
556     hdrObject * hdr = (hdrObject *)subtype->tp_alloc(subtype, 0);
557     if (hdr == NULL) return NULL;
558
559     hdr->h = headerLink(h);
560     return (PyObject *) hdr;
561 }
562
563 int hdrFromPyObject(PyObject *item, Header *hptr)
564 {
565     if (hdrObject_Check(item)) {
566         *hptr = ((hdrObject *) item)->h;
567         return 1;
568     } else {
569         PyErr_SetString(PyExc_TypeError, "header object expected");
570         return 0;
571     }
572 }
573
574 /**
575  * This assumes the order of list matches the order of the new headers, and
576  * throws an exception if that isn't true.
577  */
578 static int rpmMergeHeaders(PyObject * list, FD_t fd, int matchTag)
579 {
580     Header h;
581     HeaderIterator hi;
582     rpmTag newMatch, oldMatch;
583     hdrObject * hdr;
584     rpm_count_t count = 0;
585     int rc = 1; /* assume failure */
586     rpmtd td = rpmtdNew();
587
588     Py_BEGIN_ALLOW_THREADS
589     h = headerRead(fd, HEADER_MAGIC_YES);
590     Py_END_ALLOW_THREADS
591
592     while (h) {
593         if (!headerGet(h, matchTag, td, HEADERGET_MINMEM)) {
594             PyErr_SetString(pyrpmError, "match tag missing in new header");
595             goto exit;
596         }
597         newMatch = rpmtdTag(td);
598         rpmtdFreeData(td);
599
600         hdr = (hdrObject *) PyList_GetItem(list, count++);
601         if (!hdr) goto exit;
602
603         if (!headerGet(hdr->h, matchTag, td, HEADERGET_MINMEM)) {
604             PyErr_SetString(pyrpmError, "match tag missing in new header");
605             goto exit;
606         }
607         oldMatch = rpmtdTag(td);
608         rpmtdFreeData(td);
609
610         if (newMatch != oldMatch) {
611             PyErr_SetString(pyrpmError, "match tag mismatch");
612             goto exit;
613         }
614
615         for (hi = headerInitIterator(h); headerNext(hi, td); rpmtdFreeData(td))
616         {
617             /* could be dupes */
618             headerDel(hdr->h, rpmtdTag(td));
619             headerPut(hdr->h, td, HEADERPUT_DEFAULT);
620         }
621
622         headerFreeIterator(hi);
623         h = headerFree(h);
624
625         Py_BEGIN_ALLOW_THREADS
626         h = headerRead(fd, HEADER_MAGIC_YES);
627         Py_END_ALLOW_THREADS
628     }
629     rc = 0;
630
631 exit:
632     rpmtdFree(td);
633     return rc;
634 }
635
636 PyObject *
637 rpmMergeHeadersFromFD(PyObject * self, PyObject * args, PyObject * kwds)
638 {
639     FD_t fd;
640     int fileno;
641     PyObject * list;
642     int rc;
643     int matchTag;
644     char * kwlist[] = {"list", "fd", "matchTag", NULL};
645
646     if (!PyArg_ParseTupleAndKeywords(args, kwds, "Oii", kwlist, &list,
647             &fileno, &matchTag))
648         return NULL;
649
650     if (!PyList_Check(list)) {
651         PyErr_SetString(PyExc_TypeError, "first parameter must be a list");
652         return NULL;
653     }
654
655     fd = fdDup(fileno);
656
657     rc = rpmMergeHeaders (list, fd, matchTag);
658     Fclose(fd);
659
660     if (rc) {
661         return NULL;
662     }
663
664     Py_RETURN_NONE;
665 }
666
667 PyObject * versionCompare (PyObject * self, PyObject * args, PyObject * kwds)
668 {
669     hdrObject * h1, * h2;
670     char * kwlist[] = {"version0", "version1", NULL};
671
672     if (!PyArg_ParseTupleAndKeywords(args, kwds, "O!O!", kwlist, &hdr_Type,
673             &h1, &hdr_Type, &h2))
674         return NULL;
675
676     return Py_BuildValue("i", rpmVersionCompare(h1->h, h2->h));
677 }
678
679 static int compare_values(const char *str1, const char *str2)
680 {
681     if (!str1 && !str2)
682         return 0;
683     else if (str1 && !str2)
684         return 1;
685     else if (!str1 && str2)
686         return -1;
687     return rpmvercmp(str1, str2);
688 }
689
690 PyObject * labelCompare (PyObject * self, PyObject * args)
691 {
692     char *v1, *r1, *v2, *r2;
693     const char *e1, *e2;
694     int rc;
695
696     if (!PyArg_ParseTuple(args, "(zzz)(zzz)",
697                         &e1, &v1, &r1, &e2, &v2, &r2))
698         return NULL;
699
700     if (e1 == NULL)     e1 = "0";
701     if (e2 == NULL)     e2 = "0";
702
703     rc = compare_values(e1, e2);
704     if (!rc) {
705         rc = compare_values(v1, v2);
706         if (!rc)
707             rc = compare_values(r1, r2);
708     }
709     return Py_BuildValue("i", rc);
710 }
711