diff options
author | Tim Peters <tim.peters@gmail.com> | 2001-09-04 06:17:36 (GMT) |
---|---|---|
committer | Tim Peters <tim.peters@gmail.com> | 2001-09-04 06:17:36 (GMT) |
commit | e2a600099d3b61327aba5be94d30d40773faa2c9 (patch) | |
tree | 7f9ed79ab6f997c2afbeae21bb097d045c344e66 /Objects | |
parent | 9c1d7fd5f2173dc72ecdb1df7816c7e432437e02 (diff) | |
download | cpython-e2a600099d3b61327aba5be94d30d40773faa2c9.zip cpython-e2a600099d3b61327aba5be94d30d40773faa2c9.tar.gz cpython-e2a600099d3b61327aba5be94d30d40773faa2c9.tar.bz2 |
Change long/long true division to return as many good bits as it can;
e.g., (1L << 40000)/(1L << 40001) returns 0.5, not Inf or NaN or whatever.
Diffstat (limited to 'Objects')
-rw-r--r-- | Objects/intobject.c | 9 | ||||
-rw-r--r-- | Objects/longobject.c | 33 |
2 files changed, 40 insertions, 2 deletions
diff --git a/Objects/intobject.c b/Objects/intobject.c index 775213c..73d5e77 100644 --- a/Objects/intobject.c +++ b/Objects/intobject.c @@ -535,7 +535,14 @@ int_classic_div(PyIntObject *x, PyIntObject *y) static PyObject * int_true_divide(PyObject *v, PyObject *w) { - return PyFloat_Type.tp_as_number->nb_true_divide(v, w); + /* If they aren't both ints, give someone else a chance. In + particular, this lets int/long get handled by longs, which + underflows to 0 gracefully if the long is too big to convert + to float. */ + if (PyInt_Check(v) && PyInt_Check(w)) + return PyFloat_Type.tp_as_number->nb_true_divide(v, w); + Py_INCREF(Py_NotImplemented); + return Py_NotImplemented; } static PyObject * diff --git a/Objects/longobject.c b/Objects/longobject.c index 7aa6005..5da5113 100644 --- a/Objects/longobject.c +++ b/Objects/longobject.c @@ -1584,7 +1584,38 @@ long_classic_div(PyObject *v, PyObject *w) static PyObject * long_true_divide(PyObject *v, PyObject *w) { - return PyFloat_Type.tp_as_number->nb_divide(v, w); + PyLongObject *a, *b; + double ad, bd; + int aexp, bexp; + + CONVERT_BINOP(v, w, &a, &b); + ad = _PyLong_AsScaledDouble((PyObject *)a, &aexp); + bd = _PyLong_AsScaledDouble((PyObject *)b, &bexp); + if ((ad == -1.0 || bd == -1.0) && PyErr_Occurred()) + return NULL; + + if (bd == 0.0) { + PyErr_SetString(PyExc_ZeroDivisionError, + "long division or modulo by zero"); + return NULL; + } + + /* True value is very close to ad/bd * 2**(SHIFT*(aexp-bexp)) */ + ad /= bd; /* overflow/underflow impossible here */ + aexp -= bexp; + if (aexp > INT_MAX / SHIFT) + goto overflow; + errno = 0; + ad = ldexp(ad, aexp * SHIFT); + if (ad != 0 && errno == ERANGE) /* ignore underflow to 0.0 */ + goto overflow; + return PyFloat_FromDouble(ad); + +overflow: + PyErr_SetString(PyExc_OverflowError, + "long/long too large for a float"); + return NULL; + } static PyObject * |