Coverage Report

Created: 2026-04-12 06:54

next uncovered line (L), next uncovered region (R), next uncovered branch (B)
/src/cpython/Objects/longobject.c
Line
Count
Source
1
/* Long (arbitrary precision) integer object implementation */
2
3
/* XXX The functional organization of this file is terrible */
4
5
#include "Python.h"
6
#include "pycore_bitutils.h"      // _Py_popcount32()
7
#include "pycore_initconfig.h"    // _PyStatus_OK()
8
#include "pycore_call.h"          // _PyObject_MakeTpCall
9
#include "pycore_freelist.h"      // _Py_FREELIST_FREE, _Py_FREELIST_POP
10
#include "pycore_long.h"          // _Py_SmallInts
11
#include "pycore_object.h"        // _PyObject_Init()
12
#include "pycore_runtime.h"       // _PY_NSMALLPOSINTS
13
#include "pycore_stackref.h"
14
#include "pycore_structseq.h"     // _PyStructSequence_FiniBuiltin()
15
#include "pycore_tuple.h"         // _PyTuple_FromPairSteal
16
#include "pycore_unicodeobject.h" // _PyUnicode_Equal()
17
18
#include <float.h>                // DBL_MANT_DIG
19
#include <stddef.h>               // offsetof
20
21
#include "clinic/longobject.c.h"
22
/*[clinic input]
23
class int "PyObject *" "&PyLong_Type"
24
[clinic start generated code]*/
25
/*[clinic end generated code: output=da39a3ee5e6b4b0d input=ec0275e3422a36e3]*/
26
27
1.24G
#define medium_value(x) ((stwodigits)_PyLong_CompactValue(x))
28
29
3.52G
#define IS_SMALL_INT(ival) _PY_IS_SMALL_INT(ival)
30
29.1M
#define IS_SMALL_UINT(ival) ((ival) < _PY_NSMALLPOSINTS)
31
32
71
#define _MAX_STR_DIGITS_ERROR_FMT_TO_INT "Exceeds the limit (%d digits) for integer string conversion: value has %zd digits; use sys.set_int_max_str_digits() to increase the limit"
33
2
#define _MAX_STR_DIGITS_ERROR_FMT_TO_STR "Exceeds the limit (%d digits) for integer string conversion; use sys.set_int_max_str_digits() to increase the limit"
34
35
/* If defined, use algorithms from the _pylong.py module */
36
#define WITH_PYLONG_MODULE 1
37
38
// Forward declarations
39
static PyLongObject* long_neg(PyLongObject *v);
40
static PyLongObject *x_divrem(PyLongObject *, PyLongObject *, PyLongObject **);
41
static PyObject* long_long(PyObject *v);
42
static PyObject* long_lshift_int64(PyLongObject *a, int64_t shiftby);
43
44
45
static inline void
46
_Py_DECREF_INT(PyLongObject *op)
47
36.0M
{
48
36.0M
    assert(PyLong_CheckExact(op));
49
36.0M
    _Py_DECREF_SPECIALIZED((PyObject *)op, _PyLong_ExactDealloc);
50
36.0M
}
51
52
static inline int
53
is_medium_int(stwodigits x)
54
333M
{
55
    /* Take care that we are comparing unsigned values. */
56
333M
    twodigits x_plus_mask = ((twodigits)x) + PyLong_MASK;
57
333M
    return x_plus_mask < ((twodigits)PyLong_MASK) + PyLong_BASE;
58
333M
}
59
60
static PyObject *
61
get_small_int(sdigit ival)
62
2.75G
{
63
2.75G
    assert(IS_SMALL_INT(ival));
64
2.75G
    return (PyObject *)&_PyLong_SMALL_INTS[_PY_NSMALLNEGINTS + ival];
65
2.75G
}
66
67
static PyLongObject *
68
maybe_small_long(PyLongObject *v)
69
38.5M
{
70
38.5M
    if (v && _PyLong_IsCompact(v)) {
71
34.9M
        stwodigits ival = medium_value(v);
72
34.9M
        if (IS_SMALL_INT(ival)) {
73
28.3M
            _Py_DECREF_INT(v);
74
28.3M
            return (PyLongObject *)get_small_int((sdigit)ival);
75
28.3M
        }
76
34.9M
    }
77
10.2M
    return v;
78
38.5M
}
79
80
/* For int multiplication, use the O(N**2) school algorithm unless
81
 * both operands contain more than KARATSUBA_CUTOFF digits (this
82
 * being an internal Python int digit, in base BASE).
83
 */
84
1.59M
#define KARATSUBA_CUTOFF 70
85
20.1k
#define KARATSUBA_SQUARE_CUTOFF (2 * KARATSUBA_CUTOFF)
86
87
/* For exponentiation, use the binary left-to-right algorithm unless the
88
 ^ exponent contains more than HUGE_EXP_CUTOFF bits.  In that case, do
89
 * (no more than) EXP_WINDOW_SIZE bits at a time.  The potential drawback is
90
 * that a table of 2**(EXP_WINDOW_SIZE - 1) intermediate results is
91
 * precomputed.
92
 */
93
308
#define EXP_WINDOW_SIZE 5
94
64
#define EXP_TABLE_LEN (1 << (EXP_WINDOW_SIZE - 1))
95
/* Suppose the exponent has bit length e. All ways of doing this
96
 * need e squarings. The binary method also needs a multiply for
97
 * each bit set. In a k-ary method with window width w, a multiply
98
 * for each non-zero window, so at worst (and likely!)
99
 * ceiling(e/w). The k-ary sliding window method has the same
100
 * worst case, but the window slides so it can sometimes skip
101
 * over an all-zero window that the fixed-window method can't
102
 * exploit. In addition, the windowing methods need multiplies
103
 * to precompute a table of small powers.
104
 *
105
 * For the sliding window method with width 5, 16 precomputation
106
 * multiplies are needed. Assuming about half the exponent bits
107
 * are set, then, the binary method needs about e/2 extra mults
108
 * and the window method about 16 + e/5.
109
 *
110
 * The latter is smaller for e > 53 1/3. We don't have direct
111
 * access to the bit length, though, so call it 60, which is a
112
 * multiple of a long digit's max bit length (15 or 30 so far).
113
 */
114
3.45M
#define HUGE_EXP_CUTOFF 60
115
116
#define SIGCHECK(PyTryBlock)                    \
117
8.48M
    do {                                        \
118
8.48M
        if (PyErr_CheckSignals()) PyTryBlock    \
119
8.48M
    } while(0)
120
121
/* Normalize (remove leading zeros from) an int object.
122
   Doesn't attempt to free the storage--in most cases, due to the nature
123
   of the algorithms used, this could save at most be one word anyway. */
124
125
static PyLongObject *
126
long_normalize(PyLongObject *v)
127
46.5M
{
128
46.5M
    Py_ssize_t j = _PyLong_DigitCount(v);
129
46.5M
    Py_ssize_t i = j;
130
131
64.9M
    while (i > 0 && v->long_value.ob_digit[i-1] == 0)
132
18.3M
        --i;
133
46.5M
    if (i != j) {
134
16.4M
        if (i == 0) {
135
5.53M
            _PyLong_SetSignAndDigitCount(v, 0, 0);
136
5.53M
        }
137
10.9M
        else {
138
10.9M
            _PyLong_SetDigitCount(v, i);
139
10.9M
        }
140
16.4M
    }
141
46.5M
    return v;
142
46.5M
}
143
144
/* Allocate a new int object with size digits.
145
   Return NULL and set exception if we run out of memory. */
146
147
#if SIZEOF_SIZE_T < 8
148
# define MAX_LONG_DIGITS \
149
    ((PY_SSIZE_T_MAX - offsetof(PyLongObject, long_value.ob_digit))/sizeof(digit))
150
#else
151
/* Guarantee that the number of bits fits in int64_t.
152
   This is more than an exbibyte, that is more than many of modern
153
   architectures support in principle.
154
   -1 is added to avoid overflow in _PyLong_Frexp(). */
155
85.6M
# define MAX_LONG_DIGITS ((INT64_MAX-1) / PyLong_SHIFT)
156
#endif
157
158
static PyLongObject *
159
long_alloc(Py_ssize_t size)
160
75.8M
{
161
75.8M
    assert(size >= 0);
162
75.8M
    PyLongObject *result = NULL;
163
75.8M
    if (size > (Py_ssize_t)MAX_LONG_DIGITS) {
164
0
        PyErr_SetString(PyExc_OverflowError,
165
0
                        "too many digits in integer");
166
0
        return NULL;
167
0
    }
168
    /* Fast operations for single digit integers (including zero)
169
     * assume that there is always at least one digit present. */
170
75.8M
    Py_ssize_t ndigits = size ? size : 1;
171
172
75.8M
    if (ndigits == 1) {
173
32.2M
        result = (PyLongObject *)_Py_FREELIST_POP(PyLongObject, ints);
174
32.2M
    }
175
75.8M
    if (result == NULL) {
176
        /* Number of bytes needed is: offsetof(PyLongObject, ob_digit) +
177
        sizeof(digit)*size.  Previous incarnations of this code used
178
        sizeof() instead of the offsetof, but this risks being
179
        incorrect in the presence of padding between the header
180
        and the digits. */
181
43.7M
        result = PyObject_Malloc(offsetof(PyLongObject, long_value.ob_digit) +
182
43.7M
                                ndigits*sizeof(digit));
183
43.7M
        if (!result) {
184
0
            PyErr_NoMemory();
185
0
            return NULL;
186
0
        }
187
43.7M
        _PyObject_Init((PyObject*)result, &PyLong_Type);
188
43.7M
        _PyLong_InitTag(result);
189
43.7M
    }
190
75.8M
    _PyLong_SetSignAndDigitCount(result, size != 0, size);
191
#ifdef Py_DEBUG
192
    // gh-147988: Fill digits with an invalid pattern to catch usage
193
    // of uninitialized digits.
194
    memset(result->long_value.ob_digit, 0xFF, ndigits * sizeof(digit));
195
#endif
196
75.8M
    return result;
197
75.8M
}
198
199
PyLongObject *
200
_PyLong_New(Py_ssize_t size)
201
0
{
202
0
    return long_alloc(size);
203
0
}
204
205
PyLongObject *
206
_PyLong_FromDigits(int negative, Py_ssize_t digit_count, digit *digits)
207
0
{
208
0
    assert(digit_count >= 0);
209
0
    if (digit_count == 0) {
210
0
        return (PyLongObject *)_PyLong_GetZero();
211
0
    }
212
0
    PyLongObject *result = long_alloc(digit_count);
213
0
    if (result == NULL) {
214
0
        return NULL;
215
0
    }
216
0
    _PyLong_SetSignAndDigitCount(result, negative?-1:1, digit_count);
217
0
    memcpy(result->long_value.ob_digit, digits, digit_count * sizeof(digit));
218
0
    return result;
219
0
}
220
221
PyObject *
222
_PyLong_Copy(PyLongObject *src)
223
153k
{
224
153k
    assert(src != NULL);
225
153k
    int sign;
226
227
153k
    if (_PyLong_IsCompact(src)) {
228
93.1k
        stwodigits ival = medium_value(src);
229
93.1k
        if (IS_SMALL_INT(ival)) {
230
93.1k
            return get_small_int((sdigit)ival);
231
93.1k
        }
232
0
        sign = _PyLong_CompactSign(src);
233
0
    }
234
59.8k
    else {
235
59.8k
        sign = _PyLong_NonCompactSign(src);
236
59.8k
    }
237
238
59.8k
    Py_ssize_t size = _PyLong_DigitCount(src);
239
59.8k
    PyLongObject *result = long_alloc(size);
240
241
59.8k
    if (result == NULL) {
242
0
        return NULL;
243
0
    }
244
59.8k
    _PyLong_SetSignAndDigitCount(result, sign, size);
245
59.8k
    memcpy(result->long_value.ob_digit, src->long_value.ob_digit,
246
59.8k
           size * sizeof(digit));
247
59.8k
    return (PyObject *)result;
248
59.8k
}
249
250
static PyObject *
251
_PyLong_FromMedium(sdigit x)
252
445M
{
253
445M
    assert(!IS_SMALL_INT(x));
254
445M
    assert(is_medium_int(x));
255
256
445M
    PyLongObject *v = (PyLongObject *)_Py_FREELIST_POP(PyLongObject, ints);
257
445M
    if (v == NULL) {
258
28.4M
        v = PyObject_Malloc(sizeof(PyLongObject));
259
28.4M
        if (v == NULL) {
260
0
            PyErr_NoMemory();
261
0
            return NULL;
262
0
        }
263
28.4M
        _PyObject_Init((PyObject*)v, &PyLong_Type);
264
28.4M
        _PyLong_InitTag(v);
265
28.4M
    }
266
445M
    digit abs_x = x < 0 ? -x : x;
267
445M
    _PyLong_SetSignAndDigitCount(v, x<0?-1:1, 1);
268
445M
    v->long_value.ob_digit[0] = abs_x;
269
445M
    return (PyObject*)v;
270
445M
}
271
272
static PyObject *
273
_PyLong_FromLarge(stwodigits ival)
274
1.36M
{
275
1.36M
    twodigits abs_ival;
276
1.36M
    int sign;
277
1.36M
    assert(!is_medium_int(ival));
278
279
1.36M
    if (ival < 0) {
280
        /* negate: can't write this as abs_ival = -ival since that
281
           invokes undefined behaviour when ival is LONG_MIN */
282
407
        abs_ival = 0U-(twodigits)ival;
283
407
        sign = -1;
284
407
    }
285
1.36M
    else {
286
1.36M
        abs_ival = (twodigits)ival;
287
1.36M
        sign = 1;
288
1.36M
    }
289
    /* Must be at least two digits */
290
1.36M
    assert(abs_ival >> PyLong_SHIFT != 0);
291
1.36M
    twodigits t = abs_ival >> (PyLong_SHIFT * 2);
292
1.36M
    Py_ssize_t ndigits = 2;
293
1.36M
    while (t) {
294
0
        ++ndigits;
295
0
        t >>= PyLong_SHIFT;
296
0
    }
297
1.36M
    PyLongObject *v = long_alloc(ndigits);
298
1.36M
    if (v != NULL) {
299
1.36M
        digit *p = v->long_value.ob_digit;
300
1.36M
        _PyLong_SetSignAndDigitCount(v, sign, ndigits);
301
1.36M
        t = abs_ival;
302
4.09M
        while (t) {
303
2.73M
            *p++ = Py_SAFE_DOWNCAST(
304
2.73M
                t & PyLong_MASK, twodigits, digit);
305
2.73M
            t >>= PyLong_SHIFT;
306
2.73M
        }
307
1.36M
    }
308
1.36M
    return (PyObject *)v;
309
1.36M
}
310
311
/* Create a new int object from a C word-sized int */
312
static inline PyLongObject *
313
_PyLong_FromSTwoDigits(stwodigits x)
314
41.6M
{
315
41.6M
    if (IS_SMALL_INT(x)) {
316
35.4M
        return (PyLongObject*)get_small_int((sdigit)x);
317
35.4M
    }
318
41.6M
    assert(x != 0);
319
6.21M
    if (is_medium_int(x)) {
320
4.85M
        return (PyLongObject*)_PyLong_FromMedium((sdigit)x);
321
4.85M
    }
322
1.36M
    return (PyLongObject*)_PyLong_FromLarge(x);
323
6.21M
}
324
325
/* Create a new medium int object from a medium int.
326
 * Do not raise. Return NULL if not medium or can't allocate. */
327
static inline _PyStackRef
328
medium_from_stwodigits(stwodigits x)
329
573M
{
330
573M
    if (IS_SMALL_INT(x)) {
331
246M
        return PyStackRef_FromPyObjectBorrow(get_small_int((sdigit)x));
332
246M
    }
333
573M
    assert(x != 0);
334
327M
    if(!is_medium_int(x)) {
335
1.13k
        return PyStackRef_NULL;
336
1.13k
    }
337
327M
    PyLongObject *v = (PyLongObject *)_Py_FREELIST_POP(PyLongObject, ints);
338
327M
    if (v == NULL) {
339
10.5M
        v = PyObject_Malloc(sizeof(PyLongObject));
340
10.5M
        if (v == NULL) {
341
0
            return PyStackRef_NULL;
342
0
        }
343
10.5M
        _PyObject_Init((PyObject*)v, &PyLong_Type);
344
10.5M
        _PyLong_InitTag(v);
345
10.5M
    }
346
327M
    digit abs_x = x < 0 ? (digit)(-x) : (digit)x;
347
327M
    _PyLong_SetSignAndDigitCount(v, x<0?-1:1, 1);
348
327M
    v->long_value.ob_digit[0] = abs_x;
349
327M
    return PyStackRef_FromPyObjectStealMortal((PyObject *)v);
350
327M
}
351
352
353
/* If a freshly-allocated int is already shared, it must
354
   be a small integer, so negating it must go to PyLong_FromLong */
355
Py_LOCAL_INLINE(void)
356
_PyLong_Negate(PyLongObject **x_p)
357
28.0k
{
358
28.0k
    PyLongObject *x;
359
360
28.0k
    x = (PyLongObject *)*x_p;
361
28.0k
    if (_PyObject_IsUniquelyReferenced((PyObject *)x)) {
362
3.71k
         _PyLong_FlipSign(x);
363
3.71k
        return;
364
3.71k
    }
365
366
24.3k
    *x_p = _PyLong_FromSTwoDigits(-medium_value(x));
367
24.3k
    Py_DECREF(x);
368
24.3k
}
369
370
#define PYLONG_FROM_INT(UINT_TYPE, INT_TYPE, ival)                                  \
371
2.87G
    do {                                                                            \
372
2.87G
        /* Handle small and medium cases. */                                        \
373
2.87G
        if (IS_SMALL_INT(ival)) {                                                   \
374
2.44G
            return get_small_int((sdigit)(ival));                                   \
375
2.44G
        }                                                                           \
376
2.87G
        if (-(INT_TYPE)PyLong_MASK <= (ival) && (ival) <= (INT_TYPE)PyLong_MASK) {  \
377
430M
            return _PyLong_FromMedium((sdigit)(ival));                              \
378
430M
        }                                                                           \
379
435M
        UINT_TYPE abs_ival = (ival) < 0 ? 0U-(UINT_TYPE)(ival) : (UINT_TYPE)(ival); \
380
5.07M
        /* Do shift in two steps to avoid possible undefined behavior. */           \
381
5.07M
        UINT_TYPE t = abs_ival >> PyLong_SHIFT >> PyLong_SHIFT;                     \
382
5.07M
        /* Count digits (at least two - smaller cases were handled above). */       \
383
5.07M
        Py_ssize_t ndigits = 2;                                                     \
384
6.97M
        while (t) {                                                                 \
385
1.89M
            ++ndigits;                                                              \
386
1.89M
            t >>= PyLong_SHIFT;                                                     \
387
1.89M
        }                                                                           \
388
5.07M
        /* Construct output value. */                                               \
389
5.07M
        PyLongObject *v = long_alloc(ndigits);                                      \
390
5.07M
        if (v == NULL) {                                                            \
391
0
            return NULL;                                                            \
392
0
        }                                                                           \
393
5.07M
        digit *p = v->long_value.ob_digit;                                          \
394
5.07M
        _PyLong_SetSignAndDigitCount(v, (ival) < 0 ? -1 : 1, ndigits);              \
395
5.07M
        t = abs_ival;                                                               \
396
17.1M
        while (t) {                                                                 \
397
12.0M
            *p++ = (digit)(t & PyLong_MASK);                                        \
398
12.0M
            t >>= PyLong_SHIFT;                                                     \
399
12.0M
        }                                                                           \
400
5.07M
        return (PyObject *)v;                                                       \
401
5.07M
    } while(0)
402
403
404
/* Create a new int object from a C long int */
405
406
PyObject *
407
PyLong_FromLong(long ival)
408
2.54G
{
409
2.54G
    PYLONG_FROM_INT(unsigned long, long, ival);
410
2.54G
}
411
412
#define PYLONG_FROM_UINT(INT_TYPE, ival) \
413
29.1M
    do { \
414
29.1M
        /* Handle small and medium cases. */ \
415
29.1M
        if (IS_SMALL_UINT(ival)) { \
416
3.21M
            return get_small_int((sdigit)(ival)); \
417
3.21M
        } \
418
29.1M
        if ((ival) <= PyLong_MASK) { \
419
10.7M
            return _PyLong_FromMedium((sdigit)(ival)); \
420
10.7M
        } \
421
25.9M
        /* Do shift in two steps to avoid possible undefined behavior. */ \
422
25.9M
        INT_TYPE t = (ival) >> PyLong_SHIFT >> PyLong_SHIFT; \
423
15.1M
        /* Count digits (at least two - smaller cases were handled above). */ \
424
15.1M
        Py_ssize_t ndigits = 2; \
425
15.2M
        while (t) { \
426
10.3k
            ++ndigits; \
427
10.3k
            t >>= PyLong_SHIFT; \
428
10.3k
        } \
429
15.1M
        /* Construct output value. */ \
430
15.1M
        PyLongObject *v = long_alloc(ndigits); \
431
15.1M
        if (v == NULL) { \
432
0
            return NULL; \
433
0
        } \
434
15.1M
        digit *p = v->long_value.ob_digit; \
435
45.5M
        while ((ival)) { \
436
30.4M
            *p++ = (digit)((ival) & PyLong_MASK); \
437
30.4M
            (ival) >>= PyLong_SHIFT; \
438
30.4M
        } \
439
15.1M
        return (PyObject *)v; \
440
15.1M
    } while(0)
441
442
/* Create a new int object from a C unsigned long int */
443
444
PyObject *
445
PyLong_FromUnsignedLong(unsigned long ival)
446
27.0M
{
447
27.0M
    PYLONG_FROM_UINT(unsigned long, ival);
448
27.0M
}
449
450
/* Create a new int object from a C unsigned long long int. */
451
452
PyObject *
453
PyLong_FromUnsignedLongLong(unsigned long long ival)
454
1.99M
{
455
1.99M
    PYLONG_FROM_UINT(unsigned long long, ival);
456
1.99M
}
457
458
/* Create a new int object from a C size_t. */
459
460
PyObject *
461
PyLong_FromSize_t(size_t ival)
462
86.1k
{
463
86.1k
    PYLONG_FROM_UINT(size_t, ival);
464
86.1k
}
465
466
/* Create a new int object from a C double */
467
468
PyObject *
469
PyLong_FromDouble(double dval)
470
2.69M
{
471
    /* Try to get out cheap if this fits in a long. When a finite value of real
472
     * floating type is converted to an integer type, the value is truncated
473
     * toward zero. If the value of the integral part cannot be represented by
474
     * the integer type, the behavior is undefined. Thus, we must check that
475
     * value is in range (LONG_MIN - 1, LONG_MAX + 1). If a long has more bits
476
     * of precision than a double, casting LONG_MIN - 1 to double may yield an
477
     * approximation, but LONG_MAX + 1 is a power of two and can be represented
478
     * as double exactly (assuming FLT_RADIX is 2 or 16), so for simplicity
479
     * check against [-(LONG_MAX + 1), LONG_MAX + 1).
480
     */
481
2.69M
    const double int_max = (unsigned long)LONG_MAX + 1;
482
2.69M
    if (-int_max < dval && dval < int_max) {
483
2.69M
        return PyLong_FromLong((long)dval);
484
2.69M
    }
485
486
5
    PyLongObject *v;
487
5
    double frac;
488
5
    int i, ndig, expo, neg;
489
5
    neg = 0;
490
5
    if (isinf(dval)) {
491
0
        PyErr_SetString(PyExc_OverflowError,
492
0
                        "cannot convert float infinity to integer");
493
0
        return NULL;
494
0
    }
495
5
    if (isnan(dval)) {
496
0
        PyErr_SetString(PyExc_ValueError,
497
0
                        "cannot convert float NaN to integer");
498
0
        return NULL;
499
0
    }
500
5
    if (dval < 0.0) {
501
1
        neg = 1;
502
1
        dval = -dval;
503
1
    }
504
5
    frac = frexp(dval, &expo); /* dval = frac*2**expo; 0.0 <= frac < 1.0 */
505
5
    assert(expo > 0);
506
5
    ndig = (expo-1) / PyLong_SHIFT + 1; /* Number of 'digits' in result */
507
5
    v = long_alloc(ndig);
508
5
    if (v == NULL)
509
0
        return NULL;
510
5
    frac = ldexp(frac, (expo-1) % PyLong_SHIFT + 1);
511
118
    for (i = ndig; --i >= 0; ) {
512
113
        digit bits = (digit)frac;
513
113
        v->long_value.ob_digit[i] = bits;
514
113
        frac = frac - (double)bits;
515
113
        frac = ldexp(frac, PyLong_SHIFT);
516
113
    }
517
5
    if (neg) {
518
1
        _PyLong_FlipSign(v);
519
1
    }
520
5
    return (PyObject *)v;
521
5
}
522
523
/* Checking for overflow in PyLong_AsLong is a PITA since C doesn't define
524
 * anything about what happens when a signed integer operation overflows,
525
 * and some compilers think they're doing you a favor by being "clever"
526
 * then.  The bit pattern for the largest positive signed long is
527
 * (unsigned long)LONG_MAX, and for the smallest negative signed long
528
 * it is abs(LONG_MIN), which we could write -(unsigned long)LONG_MIN.
529
 * However, some other compilers warn about applying unary minus to an
530
 * unsigned operand.  Hence the weird "0-".
531
 */
532
3
#define PY_ABS_LONG_MIN         (0-(unsigned long)LONG_MIN)
533
0
#define PY_ABS_SSIZE_T_MIN      (0-(size_t)PY_SSIZE_T_MIN)
534
535
static inline unsigned long
536
unroll_digits_ulong(PyLongObject *v, Py_ssize_t *iptr)
537
4.64M
{
538
4.64M
    assert(ULONG_MAX >= ((1UL << PyLong_SHIFT) - 1));
539
540
4.64M
    Py_ssize_t i = *iptr;
541
4.64M
    assert(i >= 2);
542
543
    /* unroll 1 digit */
544
4.64M
    --i;
545
4.64M
    digit *digits = v->long_value.ob_digit;
546
4.64M
    unsigned long x = digits[i];
547
548
4.64M
#if (ULONG_MAX >> PyLong_SHIFT) >= ((1UL << PyLong_SHIFT) - 1)
549
    /* unroll another digit */
550
4.64M
    x <<= PyLong_SHIFT;
551
4.64M
    --i;
552
4.64M
    x |= digits[i];
553
4.64M
#endif
554
555
4.64M
    *iptr = i;
556
4.64M
    return x;
557
4.64M
}
558
559
static inline size_t
560
unroll_digits_size_t(PyLongObject *v, Py_ssize_t *iptr)
561
388k
{
562
388k
    assert(SIZE_MAX >= ((1UL << PyLong_SHIFT) - 1));
563
564
388k
    Py_ssize_t i = *iptr;
565
388k
    assert(i >= 2);
566
567
    /* unroll 1 digit */
568
388k
    --i;
569
388k
    digit *digits = v->long_value.ob_digit;
570
388k
    size_t x = digits[i];
571
572
388k
#if (SIZE_MAX >> PyLong_SHIFT) >= ((1 << PyLong_SHIFT) - 1)
573
    /* unroll another digit */
574
388k
    x <<= PyLong_SHIFT;
575
388k
    --i;
576
388k
    x |= digits[i];
577
388k
#endif
578
579
388k
    *iptr = i;
580
388k
    return x;
581
388k
}
582
583
/* Get a C long int from an int object or any object that has an __index__
584
   method.
585
586
   On overflow, return -1 and set *overflow to 1 or -1 depending on the sign of
587
   the result.  Otherwise *overflow is 0.
588
589
   For other errors (e.g., TypeError), return -1 and set an error condition.
590
   In this case *overflow will be 0.
591
*/
592
long
593
PyLong_AsLongAndOverflow(PyObject *vv, int *overflow)
594
332M
{
595
    /* This version originally by Tim Peters */
596
332M
    PyLongObject *v;
597
332M
    long res;
598
332M
    Py_ssize_t i;
599
332M
    int sign;
600
332M
    int do_decref = 0; /* if PyNumber_Index was called */
601
602
332M
    *overflow = 0;
603
332M
    if (vv == NULL) {
604
0
        PyErr_BadInternalCall();
605
0
        return -1;
606
0
    }
607
608
332M
    if (PyLong_Check(vv)) {
609
332M
        v = (PyLongObject *)vv;
610
332M
    }
611
31.6k
    else {
612
31.6k
        v = (PyLongObject *)_PyNumber_Index(vv);
613
31.6k
        if (v == NULL)
614
31.6k
            return -1;
615
0
        do_decref = 1;
616
0
    }
617
332M
    if (_PyLong_IsCompact(v)) {
618
#if SIZEOF_LONG < SIZEOF_SIZE_T
619
        Py_ssize_t tmp = _PyLong_CompactValue(v);
620
        if (tmp < LONG_MIN) {
621
            *overflow = -1;
622
            res = -1;
623
        }
624
        else if (tmp > LONG_MAX) {
625
            *overflow = 1;
626
            res = -1;
627
        }
628
        else {
629
            res = (long)tmp;
630
        }
631
#else
632
332M
        res = _PyLong_CompactValue(v);
633
332M
#endif
634
332M
    }
635
39.4k
    else {
636
39.4k
        res = -1;
637
39.4k
        i = _PyLong_DigitCount(v);
638
39.4k
        sign = _PyLong_NonCompactSign(v);
639
640
39.4k
        unsigned long x = unroll_digits_ulong(v, &i);
641
39.4k
        while (--i >= 0) {
642
89
            if (x > (ULONG_MAX >> PyLong_SHIFT)) {
643
83
                *overflow = sign;
644
83
                goto exit;
645
83
            }
646
6
            x = (x << PyLong_SHIFT) | v->long_value.ob_digit[i];
647
6
        }
648
        /* Haven't lost any bits, but casting to long requires extra
649
        * care (see comment above).
650
        */
651
39.3k
        if (x <= (unsigned long)LONG_MAX) {
652
39.3k
            res = (long)x * sign;
653
39.3k
        }
654
6
        else if (sign < 0 && x == PY_ABS_LONG_MIN) {
655
3
            res = LONG_MIN;
656
3
        }
657
3
        else {
658
3
            *overflow = sign;
659
            /* res is already set to -1 */
660
3
        }
661
39.3k
    }
662
332M
  exit:
663
332M
    if (do_decref) {
664
0
        Py_DECREF(v);
665
0
    }
666
332M
    return res;
667
332M
}
668
669
/* Get a C long int from an int object or any object that has an __index__
670
   method.  Return -1 and set an error if overflow occurs. */
671
672
long
673
PyLong_AsLong(PyObject *obj)
674
30.7M
{
675
30.7M
    int overflow;
676
30.7M
    long result = PyLong_AsLongAndOverflow(obj, &overflow);
677
30.7M
    if (overflow) {
678
        /* XXX: could be cute and give a different
679
           message for overflow == -1 */
680
36
        PyErr_SetString(PyExc_OverflowError,
681
36
                        "Python int too large to convert to C long");
682
36
    }
683
30.7M
    return result;
684
30.7M
}
685
686
/* Get a C int from an int object or any object that has an __index__
687
   method.  Return -1 and set an error if overflow occurs. */
688
689
int
690
PyLong_AsInt(PyObject *obj)
691
136M
{
692
136M
    int overflow;
693
136M
    long result = PyLong_AsLongAndOverflow(obj, &overflow);
694
136M
    if (overflow || result > INT_MAX || result < INT_MIN) {
695
        /* XXX: could be cute and give a different
696
           message for overflow == -1 */
697
5
        PyErr_SetString(PyExc_OverflowError,
698
5
                        "Python int too large to convert to C int");
699
5
        return -1;
700
5
    }
701
136M
    return (int)result;
702
136M
}
703
704
/* Get a Py_ssize_t from an int object.
705
   Returns -1 and sets an error condition if overflow occurs. */
706
707
Py_ssize_t
708
386M
PyLong_AsSsize_t(PyObject *vv) {
709
386M
    PyLongObject *v;
710
386M
    Py_ssize_t i;
711
386M
    int sign;
712
713
386M
    if (vv == NULL) {
714
0
        PyErr_BadInternalCall();
715
0
        return -1;
716
0
    }
717
386M
    if (!PyLong_Check(vv)) {
718
0
        PyErr_SetString(PyExc_TypeError, "an integer is required");
719
0
        return -1;
720
0
    }
721
722
386M
    v = (PyLongObject *)vv;
723
386M
    if (_PyLong_IsCompact(v)) {
724
386M
        return _PyLong_CompactValue(v);
725
386M
    }
726
388k
    i = _PyLong_DigitCount(v);
727
388k
    sign = _PyLong_NonCompactSign(v);
728
729
388k
    size_t x = unroll_digits_size_t(v, &i);
730
745k
    while (--i >= 0) {
731
356k
        if (x > (SIZE_MAX >> PyLong_SHIFT)) {
732
72
            goto overflow;
733
72
        }
734
356k
        x = (x << PyLong_SHIFT) | v->long_value.ob_digit[i];
735
356k
    }
736
    /* Haven't lost any bits, but casting to a signed type requires
737
     * extra care (see comment above).
738
     */
739
388k
    if (x <= (size_t)PY_SSIZE_T_MAX) {
740
388k
        return (Py_ssize_t)x * sign;
741
388k
    }
742
134
    else if (sign < 0 && x == PY_ABS_SSIZE_T_MIN) {
743
0
        return PY_SSIZE_T_MIN;
744
0
    }
745
    /* else overflow */
746
747
206
  overflow:
748
206
    PyErr_SetString(PyExc_OverflowError,
749
206
                    "Python int too large to convert to C ssize_t");
750
206
    return -1;
751
388k
}
752
753
/* Get a C unsigned long int from an int object.
754
   Returns -1 and sets an error condition if overflow occurs. */
755
756
unsigned long
757
PyLong_AsUnsignedLong(PyObject *vv)
758
105M
{
759
105M
    PyLongObject *v;
760
105M
    Py_ssize_t i;
761
762
105M
    if (vv == NULL) {
763
0
        PyErr_BadInternalCall();
764
0
        return (unsigned long)-1;
765
0
    }
766
105M
    if (!PyLong_Check(vv)) {
767
0
        PyErr_SetString(PyExc_TypeError, "an integer is required");
768
0
        return (unsigned long)-1;
769
0
    }
770
771
105M
    v = (PyLongObject *)vv;
772
105M
    if (_PyLong_IsNonNegativeCompact(v)) {
773
#if SIZEOF_LONG < SIZEOF_SIZE_T
774
        size_t tmp = (size_t)_PyLong_CompactValue(v);
775
        unsigned long res = (unsigned long)tmp;
776
        if (res != tmp) {
777
            goto overflow;
778
        }
779
        return res;
780
#else
781
100M
        return (unsigned long)(size_t)_PyLong_CompactValue(v);
782
100M
#endif
783
100M
    }
784
4.60M
    if (_PyLong_IsNegative(v)) {
785
0
        PyErr_SetString(PyExc_OverflowError,
786
0
                        "can't convert negative value to unsigned int");
787
0
        return (unsigned long) -1;
788
0
    }
789
4.60M
    i = _PyLong_DigitCount(v);
790
791
4.60M
    unsigned long x = unroll_digits_ulong(v, &i);
792
4.60M
    while (--i >= 0) {
793
0
        if (x > (ULONG_MAX >> PyLong_SHIFT)) {
794
0
            goto overflow;
795
0
        }
796
0
        x = (x << PyLong_SHIFT) | v->long_value.ob_digit[i];
797
0
    }
798
4.60M
    return x;
799
0
overflow:
800
0
    PyErr_SetString(PyExc_OverflowError,
801
0
                    "Python int too large to convert "
802
0
                    "to C unsigned long");
803
0
    return (unsigned long) -1;
804
4.60M
}
805
806
/* Get a C size_t from an int object. Returns (size_t)-1 and sets
807
   an error condition if overflow occurs. */
808
809
size_t
810
PyLong_AsSize_t(PyObject *vv)
811
21
{
812
21
    PyLongObject *v;
813
21
    Py_ssize_t i;
814
815
21
    if (vv == NULL) {
816
0
        PyErr_BadInternalCall();
817
0
        return (size_t) -1;
818
0
    }
819
21
    if (!PyLong_Check(vv)) {
820
0
        PyErr_SetString(PyExc_TypeError, "an integer is required");
821
0
        return (size_t)-1;
822
0
    }
823
824
21
    v = (PyLongObject *)vv;
825
21
    if (_PyLong_IsNonNegativeCompact(v)) {
826
21
        return (size_t)_PyLong_CompactValue(v);
827
21
    }
828
0
    if (_PyLong_IsNegative(v)) {
829
0
        PyErr_SetString(PyExc_OverflowError,
830
0
                   "can't convert negative value to size_t");
831
0
        return (size_t) -1;
832
0
    }
833
0
    i = _PyLong_DigitCount(v);
834
835
0
    size_t x = unroll_digits_size_t(v, &i);
836
0
    while (--i >= 0) {
837
0
            if (x > (SIZE_MAX >> PyLong_SHIFT)) {
838
0
                PyErr_SetString(PyExc_OverflowError,
839
0
                    "Python int too large to convert to C size_t");
840
0
                return (size_t) -1;
841
0
            }
842
0
            x = (x << PyLong_SHIFT) | v->long_value.ob_digit[i];
843
0
        }
844
0
    return x;
845
0
}
846
847
/* Get a C unsigned long int from an int object, ignoring the high bits.
848
   Returns -1 and sets an error condition if an error occurs. */
849
850
static unsigned long
851
_PyLong_AsUnsignedLongMask(PyObject *vv)
852
0
{
853
0
    PyLongObject *v;
854
0
    Py_ssize_t i;
855
856
0
    if (vv == NULL || !PyLong_Check(vv)) {
857
0
        PyErr_BadInternalCall();
858
0
        return (unsigned long) -1;
859
0
    }
860
0
    v = (PyLongObject *)vv;
861
0
    if (_PyLong_IsCompact(v)) {
862
#if SIZEOF_LONG < SIZEOF_SIZE_T
863
        return (unsigned long)(size_t)_PyLong_CompactValue(v);
864
#else
865
0
        return (unsigned long)(long)_PyLong_CompactValue(v);
866
0
#endif
867
0
    }
868
0
    i = _PyLong_DigitCount(v);
869
0
    int sign = _PyLong_NonCompactSign(v);
870
0
    unsigned long x = unroll_digits_ulong(v, &i);
871
0
    while (--i >= 0) {
872
0
        x = (x << PyLong_SHIFT) | v->long_value.ob_digit[i];
873
0
    }
874
0
    return x * sign;
875
0
}
876
877
unsigned long
878
PyLong_AsUnsignedLongMask(PyObject *op)
879
0
{
880
0
    PyLongObject *lo;
881
0
    unsigned long val;
882
883
0
    if (op == NULL) {
884
0
        PyErr_BadInternalCall();
885
0
        return (unsigned long)-1;
886
0
    }
887
888
0
    if (PyLong_Check(op)) {
889
0
        return _PyLong_AsUnsignedLongMask(op);
890
0
    }
891
892
0
    lo = (PyLongObject *)_PyNumber_Index(op);
893
0
    if (lo == NULL)
894
0
        return (unsigned long)-1;
895
896
0
    val = _PyLong_AsUnsignedLongMask((PyObject *)lo);
897
0
    Py_DECREF(lo);
898
0
    return val;
899
0
}
900
901
int
902
PyLong_IsPositive(PyObject *obj)
903
0
{
904
0
    assert(obj != NULL);
905
0
    if (!PyLong_Check(obj)) {
906
0
        PyErr_Format(PyExc_TypeError, "expected int, got %T", obj);
907
0
        return -1;
908
0
    }
909
0
    return _PyLong_IsPositive((PyLongObject *)obj);
910
0
}
911
912
int
913
PyLong_IsNegative(PyObject *obj)
914
0
{
915
0
    assert(obj != NULL);
916
0
    if (!PyLong_Check(obj)) {
917
0
        PyErr_Format(PyExc_TypeError, "expected int, got %T", obj);
918
0
        return -1;
919
0
    }
920
0
    return _PyLong_IsNegative((PyLongObject *)obj);
921
0
}
922
923
int
924
PyLong_IsZero(PyObject *obj)
925
0
{
926
0
    assert(obj != NULL);
927
0
    if (!PyLong_Check(obj)) {
928
0
        PyErr_Format(PyExc_TypeError, "expected int, got %T", obj);
929
0
        return -1;
930
0
    }
931
0
    return _PyLong_IsZero((PyLongObject *)obj);
932
0
}
933
934
static int
935
long_sign(PyObject *vv)
936
7.74M
{
937
7.74M
    assert(vv != NULL);
938
7.74M
    assert(PyLong_Check(vv));
939
7.74M
    PyLongObject *v = (PyLongObject *)vv;
940
941
7.74M
    if (_PyLong_IsCompact(v)) {
942
7.73M
        return _PyLong_CompactSign(v);
943
7.73M
    }
944
8.07k
    return _PyLong_NonCompactSign(v);
945
7.74M
}
946
947
int
948
_PyLong_Sign(PyObject *vv)
949
0
{
950
0
    return long_sign(vv);
951
0
}
952
953
int
954
PyLong_GetSign(PyObject *vv, int *sign)
955
7.74M
{
956
7.74M
    if (!PyLong_Check(vv)) {
957
0
        PyErr_Format(PyExc_TypeError, "expect int, got %T", vv);
958
0
        return -1;
959
0
    }
960
961
7.74M
    *sign = long_sign(vv);
962
7.74M
    return 0;
963
7.74M
}
964
965
static int
966
bit_length_digit(digit x)
967
11.2M
{
968
    // digit can be larger than unsigned long, but only PyLong_SHIFT bits
969
    // of it will be ever used.
970
11.2M
    static_assert(PyLong_SHIFT <= sizeof(unsigned long) * 8,
971
11.2M
                  "digit is larger than unsigned long");
972
11.2M
    return _Py_bit_length((unsigned long)x);
973
11.2M
}
974
975
int64_t
976
_PyLong_NumBits(PyObject *vv)
977
5.68M
{
978
5.68M
    PyLongObject *v = (PyLongObject *)vv;
979
5.68M
    int64_t result = 0;
980
5.68M
    Py_ssize_t ndigits;
981
5.68M
    int msd_bits;
982
983
5.68M
    assert(v != NULL);
984
5.68M
    assert(PyLong_Check(v));
985
5.68M
    ndigits = _PyLong_DigitCount(v);
986
5.68M
    assert(ndigits == 0 || v->long_value.ob_digit[ndigits - 1] != 0);
987
5.68M
    if (ndigits > 0) {
988
5.64M
        digit msd = v->long_value.ob_digit[ndigits - 1];
989
5.64M
#if SIZEOF_SIZE_T == 8
990
5.64M
        assert(ndigits <= INT64_MAX / PyLong_SHIFT);
991
5.64M
#endif
992
5.64M
        result = (int64_t)(ndigits - 1) * PyLong_SHIFT;
993
5.64M
        msd_bits = bit_length_digit(msd);
994
5.64M
        result += msd_bits;
995
5.64M
    }
996
5.68M
    return result;
997
5.68M
}
998
999
PyObject *
1000
_PyLong_FromByteArray(const unsigned char* bytes, size_t n,
1001
                      int little_endian, int is_signed)
1002
15.1M
{
1003
15.1M
    const unsigned char* pstartbyte;    /* LSB of bytes */
1004
15.1M
    int incr;                           /* direction to move pstartbyte */
1005
15.1M
    const unsigned char* pendbyte;      /* MSB of bytes */
1006
15.1M
    size_t numsignificantbytes;         /* number of bytes that matter */
1007
15.1M
    Py_ssize_t ndigits;                 /* number of Python int digits */
1008
15.1M
    PyLongObject* v;                    /* result */
1009
15.1M
    Py_ssize_t idigit = 0;              /* next free index in v->long_value.ob_digit */
1010
1011
15.1M
    if (n == 0)
1012
0
        return PyLong_FromLong(0L);
1013
1014
15.1M
    if (little_endian) {
1015
18.3k
        pstartbyte = bytes;
1016
18.3k
        pendbyte = bytes + n - 1;
1017
18.3k
        incr = 1;
1018
18.3k
    }
1019
15.1M
    else {
1020
15.1M
        pstartbyte = bytes + n - 1;
1021
15.1M
        pendbyte = bytes;
1022
15.1M
        incr = -1;
1023
15.1M
    }
1024
1025
15.1M
    if (is_signed)
1026
31
        is_signed = *pendbyte >= 0x80;
1027
1028
    /* Compute numsignificantbytes.  This consists of finding the most
1029
       significant byte.  Leading 0 bytes are insignificant if the number
1030
       is positive, and leading 0xff bytes if negative. */
1031
15.1M
    {
1032
15.1M
        size_t i;
1033
15.1M
        const unsigned char* p = pendbyte;
1034
15.1M
        const int pincr = -incr;  /* search MSB to LSB */
1035
15.1M
        const unsigned char insignificant = is_signed ? 0xff : 0x00;
1036
1037
18.9M
        for (i = 0; i < n; ++i, p += pincr) {
1038
15.4M
            if (*p != insignificant)
1039
11.6M
                break;
1040
15.4M
        }
1041
15.1M
        numsignificantbytes = n - i;
1042
        /* 2's-comp is a bit tricky here, e.g. 0xff00 == -0x0100, so
1043
           actually has 2 significant bytes.  OTOH, 0xff0001 ==
1044
           -0x00ffff, so we wouldn't *need* to bump it there; but we
1045
           do for 0xffff = -0x0001.  To be safe without bothering to
1046
           check every case, bump it regardless. */
1047
15.1M
        if (is_signed && numsignificantbytes < n)
1048
0
            ++numsignificantbytes;
1049
15.1M
    }
1050
1051
    /* avoid integer overflow */
1052
15.1M
    ndigits = numsignificantbytes / PyLong_SHIFT * 8
1053
15.1M
        + (numsignificantbytes % PyLong_SHIFT * 8 + PyLong_SHIFT - 1) / PyLong_SHIFT;
1054
15.1M
    v = long_alloc(ndigits);
1055
15.1M
    if (v == NULL)
1056
0
        return NULL;
1057
1058
    /* Copy the bits over.  The tricky parts are computing 2's-comp on
1059
       the fly for signed numbers, and dealing with the mismatch between
1060
       8-bit bytes and (probably) 15-bit Python digits.*/
1061
15.1M
    {
1062
15.1M
        size_t i;
1063
15.1M
        twodigits carry = 1;                    /* for 2's-comp calculation */
1064
15.1M
        twodigits accum = 0;                    /* sliding register */
1065
15.1M
        unsigned int accumbits = 0;             /* number of bits in accum */
1066
15.1M
        const unsigned char* p = pstartbyte;
1067
1068
37.1M
        for (i = 0; i < numsignificantbytes; ++i, p += incr) {
1069
22.0M
            twodigits thisbyte = *p;
1070
            /* Compute correction for 2's comp, if needed. */
1071
22.0M
            if (is_signed) {
1072
14.7k
                thisbyte = (0xff ^ thisbyte) + carry;
1073
14.7k
                carry = thisbyte >> 8;
1074
14.7k
                thisbyte &= 0xff;
1075
14.7k
            }
1076
            /* Because we're going LSB to MSB, thisbyte is
1077
               more significant than what's already in accum,
1078
               so needs to be prepended to accum. */
1079
22.0M
            accum |= thisbyte << accumbits;
1080
22.0M
            accumbits += 8;
1081
22.0M
            if (accumbits >= PyLong_SHIFT) {
1082
                /* There's enough to fill a Python digit. */
1083
118k
                assert(idigit < ndigits);
1084
118k
                v->long_value.ob_digit[idigit] = (digit)(accum & PyLong_MASK);
1085
118k
                ++idigit;
1086
118k
                accum >>= PyLong_SHIFT;
1087
118k
                accumbits -= PyLong_SHIFT;
1088
118k
                assert(accumbits < PyLong_SHIFT);
1089
118k
            }
1090
22.0M
        }
1091
15.1M
        assert(accumbits < PyLong_SHIFT);
1092
15.1M
        if (accumbits) {
1093
11.6M
            assert(idigit < ndigits);
1094
11.6M
            v->long_value.ob_digit[idigit] = (digit)accum;
1095
11.6M
            ++idigit;
1096
11.6M
        }
1097
15.1M
    }
1098
1099
15.1M
    int sign = is_signed ? -1: 1;
1100
15.1M
    if (idigit == 0) {
1101
3.46M
        sign = 0;
1102
3.46M
        v->long_value.ob_digit[0] = 0;
1103
3.46M
    }
1104
15.1M
    _PyLong_SetSignAndDigitCount(v, sign, idigit);
1105
15.1M
    return (PyObject *)maybe_small_long(long_normalize(v));
1106
15.1M
}
1107
1108
int
1109
_PyLong_AsByteArray(PyLongObject* v,
1110
                    unsigned char* bytes, size_t n,
1111
                    int little_endian, int is_signed,
1112
                    int with_exceptions)
1113
369k
{
1114
369k
    Py_ssize_t i;               /* index into v->long_value.ob_digit */
1115
369k
    Py_ssize_t ndigits;         /* number of digits */
1116
369k
    twodigits accum;            /* sliding register */
1117
369k
    unsigned int accumbits;     /* # bits in accum */
1118
369k
    int do_twos_comp;           /* store 2's-comp?  is_signed and v < 0 */
1119
369k
    digit carry;                /* for computing 2's-comp */
1120
369k
    size_t j;                   /* # bytes filled */
1121
369k
    unsigned char* p;           /* pointer to next byte in bytes */
1122
369k
    int pincr;                  /* direction to move p */
1123
1124
369k
    assert(v != NULL && PyLong_Check(v));
1125
1126
369k
    ndigits = _PyLong_DigitCount(v);
1127
369k
    if (_PyLong_IsNegative(v)) {
1128
15.6k
        if (!is_signed) {
1129
0
            if (with_exceptions) {
1130
0
                PyErr_SetString(PyExc_OverflowError,
1131
0
                                "can't convert negative int to unsigned");
1132
0
            }
1133
0
            return -1;
1134
0
        }
1135
15.6k
        do_twos_comp = 1;
1136
15.6k
    }
1137
353k
    else {
1138
353k
        do_twos_comp = 0;
1139
353k
    }
1140
1141
369k
    if (little_endian) {
1142
71.3k
        p = bytes;
1143
71.3k
        pincr = 1;
1144
71.3k
    }
1145
297k
    else {
1146
297k
        p = bytes + n - 1;
1147
297k
        pincr = -1;
1148
297k
    }
1149
1150
    /* Copy over all the Python digits.
1151
       It's crucial that every Python digit except for the MSD contribute
1152
       exactly PyLong_SHIFT bits to the total, so first assert that the int is
1153
       normalized.
1154
       NOTE: PyLong_AsNativeBytes() assumes that this function will fill in 'n'
1155
       bytes even if it eventually fails to convert the whole number. Make sure
1156
       you account for that if you are changing this algorithm to return without
1157
       doing that.
1158
       */
1159
369k
    assert(ndigits == 0 || v->long_value.ob_digit[ndigits - 1] != 0);
1160
369k
    j = 0;
1161
369k
    accum = 0;
1162
369k
    accumbits = 0;
1163
369k
    carry = do_twos_comp ? 1 : 0;
1164
768k
    for (i = 0; i < ndigits; ++i) {
1165
399k
        digit thisdigit = v->long_value.ob_digit[i];
1166
399k
        if (do_twos_comp) {
1167
31.6k
            thisdigit = (thisdigit ^ PyLong_MASK) + carry;
1168
31.6k
            carry = thisdigit >> PyLong_SHIFT;
1169
31.6k
            thisdigit &= PyLong_MASK;
1170
31.6k
        }
1171
        /* Because we're going LSB to MSB, thisdigit is more
1172
           significant than what's already in accum, so needs to be
1173
           prepended to accum. */
1174
399k
        accum |= (twodigits)thisdigit << accumbits;
1175
1176
        /* The most-significant digit may be (probably is) at least
1177
           partly empty. */
1178
399k
        if (i == ndigits - 1) {
1179
            /* Count # of sign bits -- they needn't be stored,
1180
             * although for signed conversion we need later to
1181
             * make sure at least one sign bit gets stored. */
1182
327k
            digit s = do_twos_comp ? thisdigit ^ PyLong_MASK : thisdigit;
1183
2.71M
            while (s != 0) {
1184
2.38M
                s >>= 1;
1185
2.38M
                accumbits++;
1186
2.38M
            }
1187
327k
        }
1188
71.4k
        else
1189
71.4k
            accumbits += PyLong_SHIFT;
1190
1191
        /* Store as many bytes as possible. */
1192
776k
        while (accumbits >= 8) {
1193
377k
            if (j >= n)
1194
0
                goto Overflow;
1195
377k
            ++j;
1196
377k
            *p = (unsigned char)(accum & 0xff);
1197
377k
            p += pincr;
1198
377k
            accumbits -= 8;
1199
377k
            accum >>= 8;
1200
377k
        }
1201
399k
    }
1202
1203
    /* Store the straggler (if any). */
1204
369k
    assert(accumbits < 8);
1205
369k
    assert(carry == 0);  /* else do_twos_comp and *every* digit was 0 */
1206
369k
    if (accumbits > 0) {
1207
252k
        if (j >= n)
1208
0
            goto Overflow;
1209
252k
        ++j;
1210
252k
        if (do_twos_comp) {
1211
            /* Fill leading bits of the byte with sign bits
1212
               (appropriately pretending that the int had an
1213
               infinite supply of sign bits). */
1214
15.3k
            accum |= (~(twodigits)0) << accumbits;
1215
15.3k
        }
1216
252k
        *p = (unsigned char)(accum & 0xff);
1217
252k
        p += pincr;
1218
252k
    }
1219
116k
    else if (j == n && is_signed) {
1220
        /* The main loop filled the byte array exactly, so the code
1221
           just above didn't get to ensure there's a sign bit, and the
1222
           loop below wouldn't add one either.  Make sure a sign bit
1223
           exists. */
1224
7.55k
        int sign_bit_set;
1225
7.55k
        if (n > 0) {
1226
7.55k
            unsigned char msb = *(p - pincr);
1227
7.55k
            sign_bit_set = msb >= 0x80;
1228
7.55k
        }
1229
0
        else {
1230
0
            sign_bit_set = 0;
1231
0
        }
1232
7.55k
        assert(accumbits == 0);
1233
7.55k
        if (sign_bit_set == do_twos_comp)
1234
0
            return 0;
1235
7.55k
        else
1236
7.55k
            goto Overflow;
1237
7.55k
    }
1238
1239
    /* Fill remaining bytes with copies of the sign bit. */
1240
361k
    {
1241
361k
        unsigned char signbyte = do_twos_comp ? 0xffU : 0U;
1242
608k
        for ( ; j < n; ++j, p += pincr)
1243
247k
            *p = signbyte;
1244
361k
    }
1245
1246
361k
    return 0;
1247
1248
7.55k
  Overflow:
1249
7.55k
    if (with_exceptions) {
1250
0
        PyErr_SetString(PyExc_OverflowError, "int too big to convert");
1251
0
    }
1252
7.55k
    return -1;
1253
1254
369k
}
1255
1256
// Refactored out for readability, not reuse
1257
static inline int
1258
_fits_in_n_bits(Py_ssize_t v, Py_ssize_t n)
1259
21.8M
{
1260
21.8M
    if (n >= (Py_ssize_t)sizeof(Py_ssize_t) * 8) {
1261
21.7M
        return 1;
1262
21.7M
    }
1263
    // If all bits above n are the same, we fit.
1264
    // (Use n-1 if we require the sign bit to be consistent.)
1265
50.8k
    Py_ssize_t v_extended = v >> ((int)n - 1);
1266
50.8k
    return v_extended == 0 || v_extended == -1;
1267
21.8M
}
1268
1269
static inline int
1270
_resolve_endianness(int *endianness)
1271
21.8M
{
1272
21.8M
    if (*endianness == -1 || (*endianness & 2)) {
1273
21.8M
        *endianness = PY_LITTLE_ENDIAN;
1274
21.8M
    } else {
1275
0
        *endianness &= 1;
1276
0
    }
1277
21.8M
    assert(*endianness == 0 || *endianness == 1);
1278
21.8M
    return 0;
1279
21.8M
}
1280
1281
Py_ssize_t
1282
PyLong_AsNativeBytes(PyObject* vv, void* buffer, Py_ssize_t n, int flags)
1283
21.8M
{
1284
21.8M
    PyLongObject *v;
1285
21.8M
    union {
1286
21.8M
        Py_ssize_t v;
1287
21.8M
        unsigned char b[sizeof(Py_ssize_t)];
1288
21.8M
    } cv;
1289
21.8M
    int do_decref = 0;
1290
21.8M
    Py_ssize_t res = 0;
1291
1292
21.8M
    if (vv == NULL || n < 0) {
1293
0
        PyErr_BadInternalCall();
1294
0
        return -1;
1295
0
    }
1296
1297
21.8M
    int little_endian = flags;
1298
21.8M
    if (_resolve_endianness(&little_endian) < 0) {
1299
0
        return -1;
1300
0
    }
1301
1302
21.8M
    if (PyLong_Check(vv)) {
1303
21.8M
        v = (PyLongObject *)vv;
1304
21.8M
    }
1305
0
    else if (flags != -1 && (flags & Py_ASNATIVEBYTES_ALLOW_INDEX)) {
1306
0
        v = (PyLongObject *)_PyNumber_Index(vv);
1307
0
        if (v == NULL) {
1308
0
            return -1;
1309
0
        }
1310
0
        do_decref = 1;
1311
0
    }
1312
0
    else {
1313
0
        PyErr_Format(PyExc_TypeError, "expect int, got %T", vv);
1314
0
        return -1;
1315
0
    }
1316
1317
21.8M
    if ((flags != -1 && (flags & Py_ASNATIVEBYTES_REJECT_NEGATIVE))
1318
17.5k
        && _PyLong_IsNegative(v)) {
1319
0
        PyErr_SetString(PyExc_ValueError, "Cannot convert negative int");
1320
0
        if (do_decref) {
1321
0
            Py_DECREF(v);
1322
0
        }
1323
0
        return -1;
1324
0
    }
1325
1326
21.8M
    if (_PyLong_IsCompact(v)) {
1327
21.8M
        res = 0;
1328
21.8M
        cv.v = _PyLong_CompactValue(v);
1329
        /* Most paths result in res = sizeof(compact value). Only the case
1330
         * where 0 < n < sizeof(compact value) do we need to check and adjust
1331
         * our return value. */
1332
21.8M
        res = sizeof(cv.b);
1333
21.8M
        if (n <= 0) {
1334
            // nothing to do!
1335
0
        }
1336
21.8M
        else if (n <= (Py_ssize_t)sizeof(cv.b)) {
1337
21.8M
#if PY_LITTLE_ENDIAN
1338
21.8M
            if (little_endian) {
1339
21.8M
                memcpy(buffer, cv.b, n);
1340
21.8M
            }
1341
0
            else {
1342
0
                for (Py_ssize_t i = 0; i < n; ++i) {
1343
0
                    ((unsigned char*)buffer)[n - i - 1] = cv.b[i];
1344
0
                }
1345
0
            }
1346
#else
1347
            if (little_endian) {
1348
                for (Py_ssize_t i = 0; i < n; ++i) {
1349
                    ((unsigned char*)buffer)[i] = cv.b[sizeof(cv.b) - i - 1];
1350
                }
1351
            }
1352
            else {
1353
                memcpy(buffer, &cv.b[sizeof(cv.b) - n], n);
1354
            }
1355
#endif
1356
1357
            /* If we fit, return the requested number of bytes */
1358
21.8M
            if (_fits_in_n_bits(cv.v, n * 8)) {
1359
21.8M
                res = n;
1360
21.8M
            } else if (cv.v > 0 && _fits_in_n_bits(cv.v, n * 8 + 1)) {
1361
                /* Positive values with the MSB set do not require an
1362
                 * additional bit when the caller's intent is to treat them
1363
                 * as unsigned. */
1364
0
                if (flags == -1 || (flags & Py_ASNATIVEBYTES_UNSIGNED_BUFFER)) {
1365
0
                    res = n;
1366
0
                } else {
1367
0
                    res = n + 1;
1368
0
                }
1369
0
            }
1370
21.8M
        }
1371
0
        else {
1372
0
            unsigned char fill = cv.v < 0 ? 0xFF : 0x00;
1373
0
#if PY_LITTLE_ENDIAN
1374
0
            if (little_endian) {
1375
0
                memcpy(buffer, cv.b, sizeof(cv.b));
1376
0
                memset((char *)buffer + sizeof(cv.b), fill, n - sizeof(cv.b));
1377
0
            }
1378
0
            else {
1379
0
                unsigned char *b = (unsigned char *)buffer;
1380
0
                for (Py_ssize_t i = 0; i < n - (int)sizeof(cv.b); ++i) {
1381
0
                    *b++ = fill;
1382
0
                }
1383
0
                for (Py_ssize_t i = sizeof(cv.b); i > 0; --i) {
1384
0
                    *b++ = cv.b[i - 1];
1385
0
                }
1386
0
            }
1387
#else
1388
            if (little_endian) {
1389
                unsigned char *b = (unsigned char *)buffer;
1390
                for (Py_ssize_t i = sizeof(cv.b); i > 0; --i) {
1391
                    *b++ = cv.b[i - 1];
1392
                }
1393
                for (Py_ssize_t i = 0; i < n - (int)sizeof(cv.b); ++i) {
1394
                    *b++ = fill;
1395
                }
1396
            }
1397
            else {
1398
                memset(buffer, fill, n - sizeof(cv.b));
1399
                memcpy((char *)buffer + n - sizeof(cv.b), cv.b, sizeof(cv.b));
1400
            }
1401
#endif
1402
0
        }
1403
21.8M
    }
1404
18.8k
    else {
1405
18.8k
        if (n > 0) {
1406
18.8k
            _PyLong_AsByteArray(v, buffer, (size_t)n, little_endian, 1, 0);
1407
18.8k
        }
1408
1409
        /* Calculates the number of bits required for the *absolute* value
1410
         * of v. This does not take sign into account, only magnitude. */
1411
18.8k
        int64_t nb = _PyLong_NumBits((PyObject *)v);
1412
18.8k
        assert(nb >= 0);
1413
        /* Normally this would be ((nb - 1) / 8) + 1 to avoid rounding up
1414
         * multiples of 8 to the next byte, but we add an implied bit for
1415
         * the sign and it cancels out. */
1416
18.8k
        res = (Py_ssize_t)(nb / 8) + 1;
1417
1418
        /* Two edge cases exist that are best handled after extracting the
1419
         * bits. These may result in us reporting overflow when the value
1420
         * actually fits.
1421
         */
1422
18.8k
        if (n > 0 && res == n + 1 && nb % 8 == 0) {
1423
7.55k
            if (_PyLong_IsNegative(v)) {
1424
                /* Values of 0x80...00 from negative values that use every
1425
                 * available bit in the buffer do not require an additional
1426
                 * bit to store the sign. */
1427
0
                int is_edge_case = 1;
1428
0
                unsigned char *b = (unsigned char *)buffer;
1429
0
                for (Py_ssize_t i = 0; i < n && is_edge_case; ++i, ++b) {
1430
0
                    if (i == 0) {
1431
0
                        is_edge_case = (*b == (little_endian ? 0 : 0x80));
1432
0
                    } else if (i < n - 1) {
1433
0
                        is_edge_case = (*b == 0);
1434
0
                    } else {
1435
0
                        is_edge_case = (*b == (little_endian ? 0x80 : 0));
1436
0
                    }
1437
0
                }
1438
0
                if (is_edge_case) {
1439
0
                    res = n;
1440
0
                }
1441
0
            }
1442
7.55k
            else {
1443
                /* Positive values with the MSB set do not require an
1444
                 * additional bit when the caller's intent is to treat them
1445
                 * as unsigned. */
1446
7.55k
                unsigned char *b = (unsigned char *)buffer;
1447
7.55k
                if (b[little_endian ? n - 1 : 0] & 0x80) {
1448
7.55k
                    if (flags == -1 || (flags & Py_ASNATIVEBYTES_UNSIGNED_BUFFER)) {
1449
7.55k
                        res = n;
1450
7.55k
                    } else {
1451
0
                        res = n + 1;
1452
0
                    }
1453
7.55k
                }
1454
7.55k
            }
1455
7.55k
        }
1456
18.8k
    }
1457
1458
21.8M
    if (do_decref) {
1459
0
        Py_DECREF(v);
1460
0
    }
1461
1462
21.8M
    return res;
1463
21.8M
}
1464
1465
1466
PyObject *
1467
PyLong_FromNativeBytes(const void* buffer, size_t n, int flags)
1468
0
{
1469
0
    if (!buffer) {
1470
0
        PyErr_BadInternalCall();
1471
0
        return NULL;
1472
0
    }
1473
1474
0
    int little_endian = flags;
1475
0
    if (_resolve_endianness(&little_endian) < 0) {
1476
0
        return NULL;
1477
0
    }
1478
1479
0
    return _PyLong_FromByteArray(
1480
0
        (const unsigned char *)buffer,
1481
0
        n,
1482
0
        little_endian,
1483
0
        (flags == -1 || !(flags & Py_ASNATIVEBYTES_UNSIGNED_BUFFER)) ? 1 : 0
1484
0
    );
1485
0
}
1486
1487
1488
PyObject *
1489
PyLong_FromUnsignedNativeBytes(const void* buffer, size_t n, int flags)
1490
0
{
1491
0
    if (!buffer) {
1492
0
        PyErr_BadInternalCall();
1493
0
        return NULL;
1494
0
    }
1495
1496
0
    int little_endian = flags;
1497
0
    if (_resolve_endianness(&little_endian) < 0) {
1498
0
        return NULL;
1499
0
    }
1500
1501
0
    return _PyLong_FromByteArray((const unsigned char *)buffer, n, little_endian, 0);
1502
0
}
1503
1504
1505
/* Create a new int object from a C pointer */
1506
1507
PyObject *
1508
PyLong_FromVoidPtr(void *p)
1509
2.67M
{
1510
2.67M
#if SIZEOF_VOID_P <= SIZEOF_LONG
1511
2.67M
    return PyLong_FromUnsignedLong((unsigned long)(uintptr_t)p);
1512
#else
1513
1514
#if SIZEOF_LONG_LONG < SIZEOF_VOID_P
1515
#   error "PyLong_FromVoidPtr: sizeof(long long) < sizeof(void*)"
1516
#endif
1517
    return PyLong_FromUnsignedLongLong((unsigned long long)(uintptr_t)p);
1518
#endif /* SIZEOF_VOID_P <= SIZEOF_LONG */
1519
1520
2.67M
}
1521
1522
/* Get a C pointer from an int object. */
1523
1524
void *
1525
PyLong_AsVoidPtr(PyObject *vv)
1526
12
{
1527
12
#if SIZEOF_VOID_P <= SIZEOF_LONG
1528
12
    long x;
1529
1530
12
    if (PyLong_Check(vv) && _PyLong_IsNegative((PyLongObject *)vv)) {
1531
0
        x = PyLong_AsLong(vv);
1532
0
    }
1533
12
    else {
1534
12
        x = PyLong_AsUnsignedLong(vv);
1535
12
    }
1536
#else
1537
1538
#if SIZEOF_LONG_LONG < SIZEOF_VOID_P
1539
#   error "PyLong_AsVoidPtr: sizeof(long long) < sizeof(void*)"
1540
#endif
1541
    long long x;
1542
1543
    if (PyLong_Check(vv) && _PyLong_IsNegative((PyLongObject *)vv)) {
1544
        x = PyLong_AsLongLong(vv);
1545
    }
1546
    else {
1547
        x = PyLong_AsUnsignedLongLong(vv);
1548
    }
1549
1550
#endif /* SIZEOF_VOID_P <= SIZEOF_LONG */
1551
1552
12
    if (x == -1 && PyErr_Occurred())
1553
0
        return NULL;
1554
12
    return (void *)x;
1555
12
}
1556
1557
/* Initial long long support by Chris Herborth (chrish@qnx.com), later
1558
 * rewritten to use the newer PyLong_{As,From}ByteArray API.
1559
 */
1560
1561
0
#define PY_ABS_LLONG_MIN (0-(unsigned long long)LLONG_MIN)
1562
1563
/* Create a new int object from a C long long int. */
1564
1565
PyObject *
1566
PyLong_FromLongLong(long long ival)
1567
3.48M
{
1568
3.48M
    PYLONG_FROM_INT(unsigned long long, long long, ival);
1569
3.48M
}
1570
1571
/* Create a new int object from a C Py_ssize_t. */
1572
1573
PyObject *
1574
PyLong_FromSsize_t(Py_ssize_t ival)
1575
328M
{
1576
328M
    PYLONG_FROM_INT(size_t, Py_ssize_t, ival);
1577
328M
}
1578
1579
/* Get a C long long int from an int object or any object that has an
1580
   __index__ method.  Return -1 and set an error if overflow occurs. */
1581
1582
long long
1583
PyLong_AsLongLong(PyObject *vv)
1584
124k
{
1585
124k
    PyLongObject *v;
1586
124k
    long long bytes;
1587
124k
    int res;
1588
124k
    int do_decref = 0; /* if PyNumber_Index was called */
1589
1590
124k
    if (vv == NULL) {
1591
0
        PyErr_BadInternalCall();
1592
0
        return -1;
1593
0
    }
1594
1595
124k
    if (PyLong_Check(vv)) {
1596
124k
        v = (PyLongObject *)vv;
1597
124k
    }
1598
0
    else {
1599
0
        v = (PyLongObject *)_PyNumber_Index(vv);
1600
0
        if (v == NULL)
1601
0
            return -1;
1602
0
        do_decref = 1;
1603
0
    }
1604
1605
124k
    if (_PyLong_IsCompact(v)) {
1606
87.7k
        res = 0;
1607
87.7k
        bytes = _PyLong_CompactValue(v);
1608
87.7k
    }
1609
37.1k
    else {
1610
37.1k
        res = _PyLong_AsByteArray((PyLongObject *)v, (unsigned char *)&bytes,
1611
37.1k
                                  SIZEOF_LONG_LONG, PY_LITTLE_ENDIAN, 1, 1);
1612
37.1k
    }
1613
124k
    if (do_decref) {
1614
0
        Py_DECREF(v);
1615
0
    }
1616
1617
    /* Plan 9 can't handle long long in ? : expressions */
1618
124k
    if (res < 0)
1619
0
        return (long long)-1;
1620
124k
    else
1621
124k
        return bytes;
1622
124k
}
1623
1624
/* Get a C unsigned long long int from an int object.
1625
   Return -1 and set an error if overflow occurs. */
1626
1627
unsigned long long
1628
PyLong_AsUnsignedLongLong(PyObject *vv)
1629
5.56k
{
1630
5.56k
    PyLongObject *v;
1631
5.56k
    unsigned long long bytes;
1632
5.56k
    int res;
1633
1634
5.56k
    if (vv == NULL) {
1635
0
        PyErr_BadInternalCall();
1636
0
        return (unsigned long long)-1;
1637
0
    }
1638
5.56k
    if (!PyLong_Check(vv)) {
1639
0
        PyErr_SetString(PyExc_TypeError, "an integer is required");
1640
0
        return (unsigned long long)-1;
1641
0
    }
1642
1643
5.56k
    v = (PyLongObject*)vv;
1644
5.56k
    if (_PyLong_IsNonNegativeCompact(v)) {
1645
5.55k
        res = 0;
1646
#if SIZEOF_LONG_LONG < SIZEOF_SIZE_T
1647
        size_t tmp = (size_t)_PyLong_CompactValue(v);
1648
        bytes = (unsigned long long)tmp;
1649
        if (bytes != tmp) {
1650
            PyErr_SetString(PyExc_OverflowError,
1651
                            "Python int too large to convert "
1652
                            "to C unsigned long long");
1653
            res = -1;
1654
        }
1655
#else
1656
5.55k
        bytes = (unsigned long long)(size_t)_PyLong_CompactValue(v);
1657
5.55k
#endif
1658
5.55k
    }
1659
8
    else {
1660
8
        res = _PyLong_AsByteArray((PyLongObject *)vv, (unsigned char *)&bytes,
1661
8
                              SIZEOF_LONG_LONG, PY_LITTLE_ENDIAN, 0, 1);
1662
8
    }
1663
1664
    /* Plan 9 can't handle long long in ? : expressions */
1665
5.56k
    if (res < 0)
1666
0
        return (unsigned long long)res;
1667
5.56k
    else
1668
5.56k
        return bytes;
1669
5.56k
}
1670
1671
/* Get a C unsigned long int from an int object, ignoring the high bits.
1672
   Returns -1 and sets an error condition if an error occurs. */
1673
1674
static unsigned long long
1675
_PyLong_AsUnsignedLongLongMask(PyObject *vv)
1676
0
{
1677
0
    PyLongObject *v;
1678
0
    Py_ssize_t i;
1679
0
    int sign;
1680
1681
0
    if (vv == NULL || !PyLong_Check(vv)) {
1682
0
        PyErr_BadInternalCall();
1683
0
        return (unsigned long long) -1;
1684
0
    }
1685
0
    v = (PyLongObject *)vv;
1686
0
    if (_PyLong_IsCompact(v)) {
1687
#if SIZEOF_LONG_LONG < SIZEOF_SIZE_T
1688
        return (unsigned long long)(size_t)_PyLong_CompactValue(v);
1689
#else
1690
0
        return (unsigned long long)(long long)_PyLong_CompactValue(v);
1691
0
#endif
1692
0
    }
1693
0
    i = _PyLong_DigitCount(v);
1694
0
    sign = _PyLong_NonCompactSign(v);
1695
0
    unsigned long long x = unroll_digits_ulong(v, &i);
1696
0
    while (--i >= 0) {
1697
0
        x = (x << PyLong_SHIFT) | v->long_value.ob_digit[i];
1698
0
    }
1699
0
    return x * sign;
1700
0
}
1701
1702
unsigned long long
1703
PyLong_AsUnsignedLongLongMask(PyObject *op)
1704
0
{
1705
0
    PyLongObject *lo;
1706
0
    unsigned long long val;
1707
1708
0
    if (op == NULL) {
1709
0
        PyErr_BadInternalCall();
1710
0
        return (unsigned long long)-1;
1711
0
    }
1712
1713
0
    if (PyLong_Check(op)) {
1714
0
        return _PyLong_AsUnsignedLongLongMask(op);
1715
0
    }
1716
1717
0
    lo = (PyLongObject *)_PyNumber_Index(op);
1718
0
    if (lo == NULL)
1719
0
        return (unsigned long long)-1;
1720
1721
0
    val = _PyLong_AsUnsignedLongLongMask((PyObject *)lo);
1722
0
    Py_DECREF(lo);
1723
0
    return val;
1724
0
}
1725
1726
/* Get a C long long int from an int object or any object that has an
1727
   __index__ method.
1728
1729
   On overflow, return -1 and set *overflow to 1 or -1 depending on the sign of
1730
   the result.  Otherwise *overflow is 0.
1731
1732
   For other errors (e.g., TypeError), return -1 and set an error condition.
1733
   In this case *overflow will be 0.
1734
*/
1735
1736
long long
1737
PyLong_AsLongLongAndOverflow(PyObject *vv, int *overflow)
1738
0
{
1739
    /* This version by Tim Peters */
1740
0
    PyLongObject *v;
1741
0
    long long res;
1742
0
    Py_ssize_t i;
1743
0
    int sign;
1744
0
    int do_decref = 0; /* if PyNumber_Index was called */
1745
1746
0
    *overflow = 0;
1747
0
    if (vv == NULL) {
1748
0
        PyErr_BadInternalCall();
1749
0
        return -1;
1750
0
    }
1751
1752
0
    if (PyLong_Check(vv)) {
1753
0
        v = (PyLongObject *)vv;
1754
0
    }
1755
0
    else {
1756
0
        v = (PyLongObject *)_PyNumber_Index(vv);
1757
0
        if (v == NULL)
1758
0
            return -1;
1759
0
        do_decref = 1;
1760
0
    }
1761
0
    if (_PyLong_IsCompact(v)) {
1762
#if SIZEOF_LONG_LONG < SIZEOF_SIZE_T
1763
        Py_ssize_t tmp = _PyLong_CompactValue(v);
1764
        if (tmp < LLONG_MIN) {
1765
            *overflow = -1;
1766
            res = -1;
1767
        }
1768
        else if (tmp > LLONG_MAX) {
1769
            *overflow = 1;
1770
            res = -1;
1771
        }
1772
        else {
1773
            res = (long long)tmp;
1774
        }
1775
#else
1776
0
        res = _PyLong_CompactValue(v);
1777
0
#endif
1778
0
    }
1779
0
    else {
1780
0
        i = _PyLong_DigitCount(v);
1781
0
        sign = _PyLong_NonCompactSign(v);
1782
0
        unsigned long long x = unroll_digits_ulong(v, &i);
1783
0
        while (--i >= 0) {
1784
0
            if (x > ULLONG_MAX >> PyLong_SHIFT) {
1785
0
                *overflow = sign;
1786
0
                res = -1;
1787
0
                goto exit;
1788
0
            }
1789
0
            x = (x << PyLong_SHIFT) + v->long_value.ob_digit[i];
1790
0
        }
1791
        /* Haven't lost any bits, but casting to long requires extra
1792
         * care (see comment above).
1793
         */
1794
0
        if (x <= (unsigned long long)LLONG_MAX) {
1795
0
            res = (long long)x * sign;
1796
0
        }
1797
0
        else if (sign < 0 && x == PY_ABS_LLONG_MIN) {
1798
0
            res = LLONG_MIN;
1799
0
        }
1800
0
        else {
1801
0
            *overflow = sign;
1802
0
            res = -1;
1803
0
        }
1804
0
    }
1805
0
  exit:
1806
0
    if (do_decref) {
1807
0
        Py_DECREF(v);
1808
0
    }
1809
0
    return res;
1810
0
}
1811
1812
#define UNSIGNED_INT_CONVERTER(NAME, TYPE)                          \
1813
int                                                                 \
1814
10.2k
_PyLong_##NAME##_Converter(PyObject *obj, void *ptr)                \
1815
10.2k
{                                                                   \
1816
10.2k
    Py_ssize_t bytes = PyLong_AsNativeBytes(obj, ptr, sizeof(TYPE), \
1817
10.2k
            Py_ASNATIVEBYTES_NATIVE_ENDIAN |                        \
1818
10.2k
            Py_ASNATIVEBYTES_ALLOW_INDEX |                          \
1819
10.2k
            Py_ASNATIVEBYTES_REJECT_NEGATIVE |                      \
1820
10.2k
            Py_ASNATIVEBYTES_UNSIGNED_BUFFER);                      \
1821
10.2k
    if (bytes < 0) {                                                \
1822
0
        return 0;                                                   \
1823
0
    }                                                               \
1824
10.2k
    if ((size_t)bytes > sizeof(TYPE)) {                             \
1825
0
        PyErr_SetString(PyExc_OverflowError,                        \
1826
0
                        "Python int too large for C "#TYPE);        \
1827
0
        return 0;                                                   \
1828
0
    }                                                               \
1829
10.2k
    return 1;                                                       \
1830
10.2k
}
Unexecuted instantiation: _PyLong_UnsignedShort_Converter
_PyLong_UnsignedInt_Converter
Line
Count
Source
1814
4
_PyLong_##NAME##_Converter(PyObject *obj, void *ptr)                \
1815
4
{                                                                   \
1816
4
    Py_ssize_t bytes = PyLong_AsNativeBytes(obj, ptr, sizeof(TYPE), \
1817
4
            Py_ASNATIVEBYTES_NATIVE_ENDIAN |                        \
1818
4
            Py_ASNATIVEBYTES_ALLOW_INDEX |                          \
1819
4
            Py_ASNATIVEBYTES_REJECT_NEGATIVE |                      \
1820
4
            Py_ASNATIVEBYTES_UNSIGNED_BUFFER);                      \
1821
4
    if (bytes < 0) {                                                \
1822
0
        return 0;                                                   \
1823
0
    }                                                               \
1824
4
    if ((size_t)bytes > sizeof(TYPE)) {                             \
1825
0
        PyErr_SetString(PyExc_OverflowError,                        \
1826
0
                        "Python int too large for C "#TYPE);        \
1827
0
        return 0;                                                   \
1828
0
    }                                                               \
1829
4
    return 1;                                                       \
1830
4
}
Unexecuted instantiation: _PyLong_UnsignedLong_Converter
Unexecuted instantiation: _PyLong_UnsignedLongLong_Converter
_PyLong_Size_t_Converter
Line
Count
Source
1814
9
_PyLong_##NAME##_Converter(PyObject *obj, void *ptr)                \
1815
9
{                                                                   \
1816
9
    Py_ssize_t bytes = PyLong_AsNativeBytes(obj, ptr, sizeof(TYPE), \
1817
9
            Py_ASNATIVEBYTES_NATIVE_ENDIAN |                        \
1818
9
            Py_ASNATIVEBYTES_ALLOW_INDEX |                          \
1819
9
            Py_ASNATIVEBYTES_REJECT_NEGATIVE |                      \
1820
9
            Py_ASNATIVEBYTES_UNSIGNED_BUFFER);                      \
1821
9
    if (bytes < 0) {                                                \
1822
0
        return 0;                                                   \
1823
0
    }                                                               \
1824
9
    if ((size_t)bytes > sizeof(TYPE)) {                             \
1825
0
        PyErr_SetString(PyExc_OverflowError,                        \
1826
0
                        "Python int too large for C "#TYPE);        \
1827
0
        return 0;                                                   \
1828
0
    }                                                               \
1829
9
    return 1;                                                       \
1830
9
}
Unexecuted instantiation: _PyLong_UInt8_Converter
Unexecuted instantiation: _PyLong_UInt16_Converter
_PyLong_UInt32_Converter
Line
Count
Source
1814
9.75k
_PyLong_##NAME##_Converter(PyObject *obj, void *ptr)                \
1815
9.75k
{                                                                   \
1816
9.75k
    Py_ssize_t bytes = PyLong_AsNativeBytes(obj, ptr, sizeof(TYPE), \
1817
9.75k
            Py_ASNATIVEBYTES_NATIVE_ENDIAN |                        \
1818
9.75k
            Py_ASNATIVEBYTES_ALLOW_INDEX |                          \
1819
9.75k
            Py_ASNATIVEBYTES_REJECT_NEGATIVE |                      \
1820
9.75k
            Py_ASNATIVEBYTES_UNSIGNED_BUFFER);                      \
1821
9.75k
    if (bytes < 0) {                                                \
1822
0
        return 0;                                                   \
1823
0
    }                                                               \
1824
9.75k
    if ((size_t)bytes > sizeof(TYPE)) {                             \
1825
0
        PyErr_SetString(PyExc_OverflowError,                        \
1826
0
                        "Python int too large for C "#TYPE);        \
1827
0
        return 0;                                                   \
1828
0
    }                                                               \
1829
9.75k
    return 1;                                                       \
1830
9.75k
}
_PyLong_UInt64_Converter
Line
Count
Source
1814
519
_PyLong_##NAME##_Converter(PyObject *obj, void *ptr)                \
1815
519
{                                                                   \
1816
519
    Py_ssize_t bytes = PyLong_AsNativeBytes(obj, ptr, sizeof(TYPE), \
1817
519
            Py_ASNATIVEBYTES_NATIVE_ENDIAN |                        \
1818
519
            Py_ASNATIVEBYTES_ALLOW_INDEX |                          \
1819
519
            Py_ASNATIVEBYTES_REJECT_NEGATIVE |                      \
1820
519
            Py_ASNATIVEBYTES_UNSIGNED_BUFFER);                      \
1821
519
    if (bytes < 0) {                                                \
1822
0
        return 0;                                                   \
1823
0
    }                                                               \
1824
519
    if ((size_t)bytes > sizeof(TYPE)) {                             \
1825
0
        PyErr_SetString(PyExc_OverflowError,                        \
1826
0
                        "Python int too large for C "#TYPE);        \
1827
0
        return 0;                                                   \
1828
0
    }                                                               \
1829
519
    return 1;                                                       \
1830
519
}
1831
1832
UNSIGNED_INT_CONVERTER(UnsignedShort, unsigned short)
1833
UNSIGNED_INT_CONVERTER(UnsignedInt, unsigned int)
1834
UNSIGNED_INT_CONVERTER(UnsignedLong, unsigned long)
1835
UNSIGNED_INT_CONVERTER(UnsignedLongLong, unsigned long long)
1836
UNSIGNED_INT_CONVERTER(Size_t, size_t)
1837
UNSIGNED_INT_CONVERTER(UInt8, uint8_t)
1838
UNSIGNED_INT_CONVERTER(UInt16, uint16_t)
1839
UNSIGNED_INT_CONVERTER(UInt32, uint32_t)
1840
UNSIGNED_INT_CONVERTER(UInt64, uint64_t)
1841
1842
1843
#define CHECK_BINOP(v,w)                                \
1844
155M
    do {                                                \
1845
155M
        if (!PyLong_Check(v) || !PyLong_Check(w))       \
1846
155M
            Py_RETURN_NOTIMPLEMENTED;                   \
1847
155M
    } while(0)
1848
1849
/* x[0:m] and y[0:n] are digit vectors, LSD first, m >= n required.  x[0:n]
1850
 * is modified in place, by adding y to it.  Carries are propagated as far as
1851
 * x[m-1], and the remaining carry (0 or 1) is returned.
1852
 */
1853
static digit
1854
v_iadd(digit *x, Py_ssize_t m, digit *y, Py_ssize_t n)
1855
0
{
1856
0
    Py_ssize_t i;
1857
0
    digit carry = 0;
1858
1859
0
    assert(m >= n);
1860
0
    for (i = 0; i < n; ++i) {
1861
0
        carry += x[i] + y[i];
1862
0
        x[i] = carry & PyLong_MASK;
1863
0
        carry >>= PyLong_SHIFT;
1864
0
        assert((carry & 1) == carry);
1865
0
    }
1866
0
    for (; carry && i < m; ++i) {
1867
0
        carry += x[i];
1868
0
        x[i] = carry & PyLong_MASK;
1869
0
        carry >>= PyLong_SHIFT;
1870
0
        assert((carry & 1) == carry);
1871
0
    }
1872
0
    return carry;
1873
0
}
1874
1875
/* x[0:m] and y[0:n] are digit vectors, LSD first, m >= n required.  x[0:n]
1876
 * is modified in place, by subtracting y from it.  Borrows are propagated as
1877
 * far as x[m-1], and the remaining borrow (0 or 1) is returned.
1878
 */
1879
static digit
1880
v_isub(digit *x, Py_ssize_t m, digit *y, Py_ssize_t n)
1881
0
{
1882
0
    Py_ssize_t i;
1883
0
    digit borrow = 0;
1884
1885
0
    assert(m >= n);
1886
0
    for (i = 0; i < n; ++i) {
1887
0
        borrow = x[i] - y[i] - borrow;
1888
0
        x[i] = borrow & PyLong_MASK;
1889
0
        borrow >>= PyLong_SHIFT;
1890
0
        borrow &= 1;            /* keep only 1 sign bit */
1891
0
    }
1892
0
    for (; borrow && i < m; ++i) {
1893
0
        borrow = x[i] - borrow;
1894
0
        x[i] = borrow & PyLong_MASK;
1895
0
        borrow >>= PyLong_SHIFT;
1896
0
        borrow &= 1;
1897
0
    }
1898
0
    return borrow;
1899
0
}
1900
1901
/* Shift digit vector a[0:m] d bits left, with 0 <= d < PyLong_SHIFT.  Put
1902
 * result in z[0:m], and return the d bits shifted out of the top.
1903
 */
1904
static digit
1905
v_lshift(digit *z, digit *a, Py_ssize_t m, int d)
1906
702
{
1907
702
    Py_ssize_t i;
1908
702
    digit carry = 0;
1909
1910
702
    assert(0 <= d && d < PyLong_SHIFT);
1911
3.06k
    for (i=0; i < m; i++) {
1912
2.36k
        twodigits acc = (twodigits)a[i] << d | carry;
1913
2.36k
        z[i] = (digit)acc & PyLong_MASK;
1914
2.36k
        carry = (digit)(acc >> PyLong_SHIFT);
1915
2.36k
    }
1916
702
    return carry;
1917
702
}
1918
1919
/* Shift digit vector a[0:m] d bits right, with 0 <= d < PyLong_SHIFT.  Put
1920
 * result in z[0:m], and return the d bits shifted out of the bottom.
1921
 */
1922
static digit
1923
v_rshift(digit *z, digit *a, Py_ssize_t m, int d)
1924
300
{
1925
300
    Py_ssize_t i;
1926
300
    digit carry = 0;
1927
300
    digit mask = ((digit)1 << d) - 1U;
1928
1929
300
    assert(0 <= d && d < PyLong_SHIFT);
1930
1.20k
    for (i=m; i-- > 0;) {
1931
900
        twodigits acc = (twodigits)carry << PyLong_SHIFT | a[i];
1932
900
        carry = (digit)acc & mask;
1933
900
        z[i] = (digit)(acc >> d);
1934
900
    }
1935
300
    return carry;
1936
300
}
1937
1938
/* Divide long pin, w/ size digits, by non-zero digit n, storing quotient
1939
   in pout, and returning the remainder.  pin and pout point at the LSD.
1940
   It's OK for pin == pout on entry, which saves oodles of mallocs/frees in
1941
   _PyLong_Format, but that should be done with great care since ints are
1942
   immutable.
1943
1944
   This version of the code can be 20% faster than the pre-2022 version
1945
   on todays compilers on architectures like amd64.  It evolved from Mark
1946
   Dickinson observing that a 128:64 divide instruction was always being
1947
   generated by the compiler despite us working with 30-bit digit values.
1948
   See the thread for full context:
1949
1950
     https://mail.python.org/archives/list/python-dev@python.org/thread/ZICIMX5VFCX4IOFH5NUPVHCUJCQ4Q7QM/#NEUNFZU3TQU4CPTYZNF3WCN7DOJBBTK5
1951
1952
   If you ever want to change this code, pay attention to performance using
1953
   different compilers, optimization levels, and cpu architectures. Beware of
1954
   PGO/FDO builds doing value specialization such as a fast path for //10. :)
1955
1956
   Verify that 17 isn't specialized and this works as a quick test:
1957
     python -m timeit -s 'x = 10**1000; r=x//10; assert r == 10**999, r' 'x//17'
1958
*/
1959
static digit
1960
inplace_divrem1(digit *pout, digit *pin, Py_ssize_t size, digit n)
1961
11.0k
{
1962
11.0k
    digit remainder = 0;
1963
1964
11.0k
    assert(n > 0 && n <= PyLong_MASK);
1965
36.1k
    while (--size >= 0) {
1966
25.0k
        twodigits dividend;
1967
25.0k
        dividend = ((twodigits)remainder << PyLong_SHIFT) | pin[size];
1968
25.0k
        digit quotient;
1969
25.0k
        quotient = (digit)(dividend / n);
1970
25.0k
        remainder = dividend % n;
1971
25.0k
        pout[size] = quotient;
1972
25.0k
    }
1973
11.0k
    return remainder;
1974
11.0k
}
1975
1976
1977
/* Divide an integer by a digit, returning both the quotient
1978
   (as function result) and the remainder (through *prem).
1979
   The sign of a is ignored; n should not be zero. */
1980
1981
static PyLongObject *
1982
divrem1(PyLongObject *a, digit n, digit *prem)
1983
11.0k
{
1984
11.0k
    const Py_ssize_t size = _PyLong_DigitCount(a);
1985
11.0k
    PyLongObject *z;
1986
1987
11.0k
    assert(n > 0 && n <= PyLong_MASK);
1988
11.0k
    z = long_alloc(size);
1989
11.0k
    if (z == NULL)
1990
0
        return NULL;
1991
11.0k
    *prem = inplace_divrem1(z->long_value.ob_digit, a->long_value.ob_digit, size, n);
1992
11.0k
    return long_normalize(z);
1993
11.0k
}
1994
1995
/* Remainder of long pin, w/ size digits, by non-zero digit n,
1996
   returning the remainder. pin points at the LSD. */
1997
1998
static digit
1999
inplace_rem1(digit *pin, Py_ssize_t size, digit n)
2000
26
{
2001
26
    twodigits rem = 0;
2002
2003
26
    assert(n > 0 && n <= PyLong_MASK);
2004
78
    while (--size >= 0)
2005
52
        rem = ((rem << PyLong_SHIFT) | pin[size]) % n;
2006
26
    return (digit)rem;
2007
26
}
2008
2009
/* Get the remainder of an integer divided by a digit, returning
2010
   the remainder as the result of the function. The sign of a is
2011
   ignored; n should not be zero. */
2012
2013
static PyLongObject *
2014
rem1(PyLongObject *a, digit n)
2015
26
{
2016
26
    const Py_ssize_t size = _PyLong_DigitCount(a);
2017
2018
26
    assert(n > 0 && n <= PyLong_MASK);
2019
26
    return (PyLongObject *)PyLong_FromLong(
2020
26
        (long)inplace_rem1(a->long_value.ob_digit, size, n)
2021
26
    );
2022
26
}
2023
2024
#ifdef WITH_PYLONG_MODULE
2025
/* asymptotically faster long_to_decimal_string, using _pylong.py */
2026
static int
2027
pylong_int_to_decimal_string(PyObject *aa,
2028
                             PyObject **p_output,
2029
                             _PyUnicodeWriter *writer,
2030
                             PyBytesWriter *bytes_writer,
2031
                             char **bytes_str)
2032
0
{
2033
0
    PyObject *s = NULL;
2034
0
    PyObject *mod = PyImport_ImportModule("_pylong");
2035
0
    if (mod == NULL) {
2036
0
        return -1;
2037
0
    }
2038
0
    s = PyObject_CallMethod(mod, "int_to_decimal_string", "O", aa);
2039
0
    if (s == NULL) {
2040
0
        goto error;
2041
0
    }
2042
0
    if (!PyUnicode_Check(s)) {
2043
0
        PyErr_SetString(PyExc_TypeError,
2044
0
                        "_pylong.int_to_decimal_string did not return a str");
2045
0
        goto error;
2046
0
    }
2047
0
    if (writer) {
2048
0
        Py_ssize_t size = PyUnicode_GET_LENGTH(s);
2049
0
        if (_PyUnicodeWriter_Prepare(writer, size, '9') == -1) {
2050
0
            goto error;
2051
0
        }
2052
0
        if (_PyUnicodeWriter_WriteStr(writer, s) < 0) {
2053
0
            goto error;
2054
0
        }
2055
0
        goto success;
2056
0
    }
2057
0
    else if (bytes_writer) {
2058
0
        Py_ssize_t size = PyUnicode_GET_LENGTH(s);
2059
0
        const void *data = PyUnicode_DATA(s);
2060
0
        int kind = PyUnicode_KIND(s);
2061
0
        *bytes_str = PyBytesWriter_GrowAndUpdatePointer(bytes_writer, size,
2062
0
                                                        *bytes_str);
2063
0
        if (*bytes_str == NULL) {
2064
0
            goto error;
2065
0
        }
2066
0
        char *p = *bytes_str;
2067
0
        for (Py_ssize_t i=0; i < size; i++) {
2068
0
            Py_UCS4 ch = PyUnicode_READ(kind, data, i);
2069
0
            *p++ = (char) ch;
2070
0
        }
2071
0
        (*bytes_str) = p;
2072
0
        goto success;
2073
0
    }
2074
0
    else {
2075
0
        *p_output = Py_NewRef(s);
2076
0
        goto success;
2077
0
    }
2078
2079
0
error:
2080
0
        Py_DECREF(mod);
2081
0
        Py_XDECREF(s);
2082
0
        return -1;
2083
2084
0
success:
2085
0
        Py_DECREF(mod);
2086
0
        Py_DECREF(s);
2087
0
        return 0;
2088
0
}
2089
#endif /* WITH_PYLONG_MODULE */
2090
2091
/* Convert an integer to a base 10 string.  Returns a new non-shared
2092
   string.  (Return value is non-shared so that callers can modify the
2093
   returned value if necessary.) */
2094
2095
static int
2096
long_to_decimal_string_internal(PyObject *aa,
2097
                                PyObject **p_output,
2098
                                _PyUnicodeWriter *writer,
2099
                                PyBytesWriter *bytes_writer,
2100
                                char **bytes_str)
2101
7.66M
{
2102
7.66M
    PyLongObject *scratch, *a;
2103
7.66M
    PyObject *str = NULL;
2104
7.66M
    Py_ssize_t size, strlen, size_a, i, j;
2105
7.66M
    digit *pout, *pin, rem, tenpow;
2106
7.66M
    int negative;
2107
7.66M
    int d;
2108
2109
    // writer or bytes_writer can be used, but not both at the same time.
2110
7.66M
    assert(writer == NULL || bytes_writer == NULL);
2111
2112
7.66M
    a = (PyLongObject *)aa;
2113
7.66M
    if (a == NULL || !PyLong_Check(a)) {
2114
0
        PyErr_BadInternalCall();
2115
0
        return -1;
2116
0
    }
2117
7.66M
    size_a = _PyLong_DigitCount(a);
2118
7.66M
    negative = _PyLong_IsNegative(a);
2119
2120
    /* quick and dirty pre-check for overflowing the decimal digit limit,
2121
       based on the inequality 10/3 >= log2(10)
2122
2123
       explanation in https://github.com/python/cpython/pull/96537
2124
    */
2125
7.66M
    if (size_a >= 10 * _PY_LONG_MAX_STR_DIGITS_THRESHOLD
2126
7.66M
                  / (3 * PyLong_SHIFT) + 2) {
2127
310
        PyInterpreterState *interp = _PyInterpreterState_GET();
2128
310
        int max_str_digits = interp->long_state.max_str_digits;
2129
310
        if ((max_str_digits > 0) &&
2130
310
            (max_str_digits / (3 * PyLong_SHIFT) <= (size_a - 11) / 10)) {
2131
1
            PyErr_Format(PyExc_ValueError, _MAX_STR_DIGITS_ERROR_FMT_TO_STR,
2132
1
                         max_str_digits);
2133
1
            return -1;
2134
1
        }
2135
310
    }
2136
2137
7.66M
#if WITH_PYLONG_MODULE
2138
7.66M
    if (size_a > 1000) {
2139
        /* Switch to _pylong.int_to_decimal_string(). */
2140
0
        return pylong_int_to_decimal_string(aa,
2141
0
                                         p_output,
2142
0
                                         writer,
2143
0
                                         bytes_writer,
2144
0
                                         bytes_str);
2145
0
    }
2146
7.66M
#endif
2147
2148
    /* quick and dirty upper bound for the number of digits
2149
       required to express a in base _PyLong_DECIMAL_BASE:
2150
2151
         #digits = 1 + floor(log2(a) / log2(_PyLong_DECIMAL_BASE))
2152
2153
       But log2(a) < size_a * PyLong_SHIFT, and
2154
       log2(_PyLong_DECIMAL_BASE) = log2(10) * _PyLong_DECIMAL_SHIFT
2155
                                  > 3.3 * _PyLong_DECIMAL_SHIFT
2156
2157
         size_a * PyLong_SHIFT / (3.3 * _PyLong_DECIMAL_SHIFT) =
2158
             size_a + size_a / d < size_a + size_a / floor(d),
2159
       where d = (3.3 * _PyLong_DECIMAL_SHIFT) /
2160
                 (PyLong_SHIFT - 3.3 * _PyLong_DECIMAL_SHIFT)
2161
    */
2162
7.66M
    d = (33 * _PyLong_DECIMAL_SHIFT) /
2163
7.66M
        (10 * PyLong_SHIFT - 33 * _PyLong_DECIMAL_SHIFT);
2164
7.66M
    assert(size_a < PY_SSIZE_T_MAX/2);
2165
7.66M
    size = 1 + size_a + size_a / d;
2166
7.66M
    scratch = long_alloc(size);
2167
7.66M
    if (scratch == NULL)
2168
0
        return -1;
2169
2170
    /* convert array of base _PyLong_BASE digits in pin to an array of
2171
       base _PyLong_DECIMAL_BASE digits in pout, following Knuth (TAOCP,
2172
       Volume 2 (3rd edn), section 4.4, Method 1b). */
2173
7.66M
    pin = a->long_value.ob_digit;
2174
7.66M
    pout = scratch->long_value.ob_digit;
2175
7.66M
    size = 0;
2176
15.3M
    for (i = size_a; --i >= 0; ) {
2177
7.66M
        digit hi = pin[i];
2178
9.62M
        for (j = 0; j < size; j++) {
2179
1.96M
            twodigits z = (twodigits)pout[j] << PyLong_SHIFT | hi;
2180
1.96M
            hi = (digit)(z / _PyLong_DECIMAL_BASE);
2181
1.96M
            pout[j] = (digit)(z - (twodigits)hi *
2182
1.96M
                              _PyLong_DECIMAL_BASE);
2183
1.96M
        }
2184
15.3M
        while (hi) {
2185
7.66M
            pout[size++] = hi % _PyLong_DECIMAL_BASE;
2186
7.66M
            hi /= _PyLong_DECIMAL_BASE;
2187
7.66M
        }
2188
        /* check for keyboard interrupt */
2189
7.66M
        SIGCHECK({
2190
7.66M
                Py_DECREF(scratch);
2191
7.66M
                return -1;
2192
7.66M
            });
2193
7.66M
    }
2194
    /* pout should have at least one digit, so that the case when a = 0
2195
       works correctly */
2196
7.66M
    if (size == 0)
2197
95.1k
        pout[size++] = 0;
2198
2199
    /* calculate exact length of output string, and allocate */
2200
7.66M
    strlen = negative + 1 + (size - 1) * _PyLong_DECIMAL_SHIFT;
2201
7.66M
    tenpow = 10;
2202
7.66M
    rem = pout[size-1];
2203
25.3M
    while (rem >= tenpow) {
2204
17.6M
        tenpow *= 10;
2205
17.6M
        strlen++;
2206
17.6M
    }
2207
7.66M
    if (strlen > _PY_LONG_MAX_STR_DIGITS_THRESHOLD) {
2208
341
        PyInterpreterState *interp = _PyInterpreterState_GET();
2209
341
        int max_str_digits = interp->long_state.max_str_digits;
2210
341
        Py_ssize_t strlen_nosign = strlen - negative;
2211
341
        if ((max_str_digits > 0) && (strlen_nosign > max_str_digits)) {
2212
1
            Py_DECREF(scratch);
2213
1
            PyErr_Format(PyExc_ValueError, _MAX_STR_DIGITS_ERROR_FMT_TO_STR,
2214
1
                         max_str_digits);
2215
1
            return -1;
2216
1
        }
2217
341
    }
2218
7.66M
    if (writer) {
2219
3.62M
        if (_PyUnicodeWriter_Prepare(writer, strlen, '9') == -1) {
2220
0
            Py_DECREF(scratch);
2221
0
            return -1;
2222
0
        }
2223
3.62M
    }
2224
4.04M
    else if (bytes_writer) {
2225
0
        *bytes_str = PyBytesWriter_GrowAndUpdatePointer(bytes_writer, strlen,
2226
0
                                                        *bytes_str);
2227
0
        if (*bytes_str == NULL) {
2228
0
            Py_DECREF(scratch);
2229
0
            return -1;
2230
0
        }
2231
0
    }
2232
4.04M
    else {
2233
4.04M
        str = PyUnicode_New(strlen, '9');
2234
4.04M
        if (str == NULL) {
2235
0
            Py_DECREF(scratch);
2236
0
            return -1;
2237
0
        }
2238
4.04M
    }
2239
2240
7.66M
#define WRITE_DIGITS(p)                                               \
2241
7.66M
    do {                                                              \
2242
        /* pout[0] through pout[size-2] contribute exactly            \
2243
           _PyLong_DECIMAL_SHIFT digits each */                       \
2244
7.75M
        for (i=0; i < size - 1; i++) {                                \
2245
88.7k
            rem = pout[i];                                            \
2246
887k
            for (j = 0; j < _PyLong_DECIMAL_SHIFT; j++) {             \
2247
798k
                *--p = '0' + rem % 10;                                \
2248
798k
                rem /= 10;                                            \
2249
798k
            }                                                         \
2250
88.7k
        }                                                             \
2251
        /* pout[size-1]: always produce at least one decimal digit */ \
2252
7.66M
        rem = pout[i];                                                \
2253
25.3M
        do {                                                          \
2254
25.3M
            *--p = '0' + rem % 10;                                    \
2255
25.3M
            rem /= 10;                                                \
2256
25.3M
        } while (rem != 0);                                           \
2257
7.66M
                                                                      \
2258
        /* and sign */                                                \
2259
7.66M
        if (negative)                                                 \
2260
7.66M
            *--p = '-';                                               \
2261
7.66M
    } while (0)
2262
2263
7.66M
#define WRITE_UNICODE_DIGITS(TYPE)                                    \
2264
7.66M
    do {                                                              \
2265
7.66M
        if (writer)                                                   \
2266
7.66M
            p = (TYPE*)PyUnicode_DATA(writer->buffer) + writer->pos + strlen; \
2267
7.66M
        else                                                          \
2268
7.66M
            p = (TYPE*)PyUnicode_DATA(str) + strlen;                  \
2269
7.66M
                                                                      \
2270
7.66M
        WRITE_DIGITS(p);                                              \
2271
7.66M
                                                                      \
2272
        /* check we've counted correctly */                           \
2273
7.66M
        if (writer)                                                   \
2274
7.66M
            assert(p == ((TYPE*)PyUnicode_DATA(writer->buffer) + writer->pos)); \
2275
7.66M
        else                                                          \
2276
7.66M
            assert(p == (TYPE*)PyUnicode_DATA(str));                  \
2277
7.66M
    } while (0)
2278
2279
    /* fill the string right-to-left */
2280
7.66M
    if (bytes_writer) {
2281
0
        char *p = *bytes_str + strlen;
2282
0
        WRITE_DIGITS(p);
2283
0
        assert(p == *bytes_str);
2284
0
    }
2285
7.66M
    else {
2286
7.66M
        int kind = writer ? writer->kind : PyUnicode_KIND(str);
2287
7.66M
        if (kind == PyUnicode_1BYTE_KIND) {
2288
7.66M
            Py_UCS1 *p;
2289
7.66M
            WRITE_UNICODE_DIGITS(Py_UCS1);
2290
7.66M
        }
2291
970
        else if (kind == PyUnicode_2BYTE_KIND) {
2292
651
            Py_UCS2 *p;
2293
651
            WRITE_UNICODE_DIGITS(Py_UCS2);
2294
651
        }
2295
319
        else {
2296
319
            assert (kind == PyUnicode_4BYTE_KIND);
2297
319
            Py_UCS4 *p;
2298
319
            WRITE_UNICODE_DIGITS(Py_UCS4);
2299
319
        }
2300
7.66M
    }
2301
2302
7.66M
#undef WRITE_DIGITS
2303
7.66M
#undef WRITE_UNICODE_DIGITS
2304
2305
7.66M
    _Py_DECREF_INT(scratch);
2306
7.66M
    if (writer) {
2307
3.62M
        writer->pos += strlen;
2308
3.62M
    }
2309
4.04M
    else if (bytes_writer) {
2310
0
        (*bytes_str) += strlen;
2311
0
    }
2312
4.04M
    else {
2313
4.04M
        assert(_PyUnicode_CheckConsistency(str, 1));
2314
4.04M
        *p_output = (PyObject *)str;
2315
4.04M
    }
2316
7.66M
    return 0;
2317
7.66M
}
2318
2319
static PyObject *
2320
long_to_decimal_string(PyObject *aa)
2321
385k
{
2322
385k
    PyObject *v;
2323
385k
    if (long_to_decimal_string_internal(aa, &v, NULL, NULL, NULL) == -1)
2324
2
        return NULL;
2325
385k
    return v;
2326
385k
}
2327
2328
/* Convert an int object to a string, using a given conversion base,
2329
   which should be one of 2, 8 or 16.  Return a string object.
2330
   If base is 2, 8 or 16, add the proper prefix '0b', '0o' or '0x'
2331
   if alternate is nonzero. */
2332
2333
static int
2334
long_format_binary(PyObject *aa, int base, int alternate,
2335
                   PyObject **p_output, _PyUnicodeWriter *writer,
2336
                   PyBytesWriter *bytes_writer, char **bytes_str)
2337
5.68M
{
2338
5.68M
    PyLongObject *a = (PyLongObject *)aa;
2339
5.68M
    PyObject *v = NULL;
2340
5.68M
    Py_ssize_t sz;
2341
5.68M
    Py_ssize_t size_a;
2342
5.68M
    int negative;
2343
5.68M
    int bits;
2344
2345
5.68M
    assert(base == 2 || base == 8 || base == 16);
2346
    // writer or bytes_writer can be used, but not both at the same time.
2347
5.68M
    assert(writer == NULL || bytes_writer == NULL);
2348
5.68M
    if (a == NULL || !PyLong_Check(a)) {
2349
0
        PyErr_BadInternalCall();
2350
0
        return -1;
2351
0
    }
2352
5.68M
    size_a = _PyLong_DigitCount(a);
2353
5.68M
    negative = _PyLong_IsNegative(a);
2354
2355
    /* Compute a rough upper bound for the length of the string */
2356
5.68M
    switch (base) {
2357
5.60M
    case 16:
2358
5.60M
        bits = 4;
2359
5.60M
        break;
2360
81.7k
    case 8:
2361
81.7k
        bits = 3;
2362
81.7k
        break;
2363
0
    case 2:
2364
0
        bits = 1;
2365
0
        break;
2366
0
    default:
2367
0
        Py_UNREACHABLE();
2368
5.68M
    }
2369
2370
    /* Compute exact length 'sz' of output string. */
2371
5.68M
    if (size_a == 0) {
2372
39.2k
        sz = 1;
2373
39.2k
    }
2374
5.64M
    else {
2375
5.64M
        Py_ssize_t size_a_in_bits;
2376
        /* Ensure overflow doesn't occur during computation of sz. */
2377
5.64M
        if (size_a > (PY_SSIZE_T_MAX - 3) / PyLong_SHIFT) {
2378
0
            PyErr_SetString(PyExc_OverflowError,
2379
0
                            "int too large to format");
2380
0
            return -1;
2381
0
        }
2382
5.64M
        size_a_in_bits = (size_a - 1) * PyLong_SHIFT +
2383
5.64M
                         bit_length_digit(a->long_value.ob_digit[size_a - 1]);
2384
        /* Allow 1 character for a '-' sign. */
2385
5.64M
        sz = negative + (size_a_in_bits + (bits - 1)) / bits;
2386
5.64M
    }
2387
5.68M
    if (alternate) {
2388
        /* 2 characters for prefix  */
2389
5.68M
        sz += 2;
2390
5.68M
    }
2391
2392
5.68M
    if (writer) {
2393
167
        if (_PyUnicodeWriter_Prepare(writer, sz, 'x') == -1)
2394
0
            return -1;
2395
167
    }
2396
5.68M
    else if (bytes_writer) {
2397
0
        *bytes_str = PyBytesWriter_GrowAndUpdatePointer(bytes_writer, sz,
2398
0
                                                        *bytes_str);
2399
0
        if (*bytes_str == NULL)
2400
0
            return -1;
2401
0
    }
2402
5.68M
    else {
2403
5.68M
        v = PyUnicode_New(sz, 'x');
2404
5.68M
        if (v == NULL)
2405
0
            return -1;
2406
5.68M
    }
2407
2408
5.68M
#define WRITE_DIGITS(p)                                                 \
2409
5.68M
    do {                                                                \
2410
5.68M
        if (size_a == 0) {                                              \
2411
39.2k
            *--p = '0';                                                 \
2412
39.2k
        }                                                               \
2413
5.68M
        else {                                                          \
2414
            /* JRH: special case for power-of-2 bases */                \
2415
5.64M
            twodigits accum = 0;                                        \
2416
5.64M
            int accumbits = 0;   /* # of bits in accum */               \
2417
5.64M
            Py_ssize_t i;                                               \
2418
11.3M
            for (i = 0; i < size_a; ++i) {                              \
2419
5.65M
                accum |= (twodigits)a->long_value.ob_digit[i] << accumbits;        \
2420
5.65M
                accumbits += PyLong_SHIFT;                              \
2421
5.65M
                assert(accumbits >= bits);                              \
2422
33.8M
                do {                                                    \
2423
33.8M
                    char cdigit;                                        \
2424
33.8M
                    cdigit = (char)(accum & (base - 1));                \
2425
33.8M
                    cdigit += (cdigit < 10) ? '0' : 'a'-10;             \
2426
33.8M
                    *--p = cdigit;                                      \
2427
33.8M
                    accumbits -= bits;                                  \
2428
33.8M
                    accum >>= bits;                                     \
2429
33.8M
                } while (i < size_a-1 ? accumbits >= bits : accum > 0); \
2430
5.65M
            }                                                           \
2431
5.64M
        }                                                               \
2432
5.68M
                                                                        \
2433
5.68M
        if (alternate) {                                                \
2434
5.68M
            if (base == 16)                                             \
2435
5.68M
                *--p = 'x';                                             \
2436
5.68M
            else if (base == 8)                                         \
2437
81.7k
                *--p = 'o';                                             \
2438
81.7k
            else /* (base == 2) */                                      \
2439
81.7k
                *--p = 'b';                                             \
2440
5.68M
            *--p = '0';                                                 \
2441
5.68M
        }                                                               \
2442
5.68M
        if (negative)                                                   \
2443
5.68M
            *--p = '-';                                                 \
2444
5.68M
    } while (0)
2445
2446
5.68M
#define WRITE_UNICODE_DIGITS(TYPE)                                      \
2447
5.68M
    do {                                                                \
2448
5.68M
        if (writer)                                                     \
2449
5.68M
            p = (TYPE*)PyUnicode_DATA(writer->buffer) + writer->pos + sz; \
2450
5.68M
        else                                                            \
2451
5.68M
            p = (TYPE*)PyUnicode_DATA(v) + sz;                          \
2452
5.68M
                                                                        \
2453
5.68M
        WRITE_DIGITS(p);                                                \
2454
5.68M
                                                                        \
2455
5.68M
        if (writer)                                                     \
2456
5.68M
            assert(p == ((TYPE*)PyUnicode_DATA(writer->buffer) + writer->pos)); \
2457
5.68M
        else                                                            \
2458
5.68M
            assert(p == (TYPE*)PyUnicode_DATA(v));                      \
2459
5.68M
    } while (0)
2460
2461
5.68M
    if (bytes_writer) {
2462
0
        char *p = *bytes_str + sz;
2463
0
        WRITE_DIGITS(p);
2464
0
        assert(p == *bytes_str);
2465
0
    }
2466
5.68M
    else {
2467
5.68M
        int kind = writer ? writer->kind : PyUnicode_KIND(v);
2468
5.68M
        if (kind == PyUnicode_1BYTE_KIND) {
2469
5.68M
            Py_UCS1 *p;
2470
5.68M
            WRITE_UNICODE_DIGITS(Py_UCS1);
2471
5.68M
        }
2472
0
        else if (kind == PyUnicode_2BYTE_KIND) {
2473
0
            Py_UCS2 *p;
2474
0
            WRITE_UNICODE_DIGITS(Py_UCS2);
2475
0
        }
2476
0
        else {
2477
0
            assert (kind == PyUnicode_4BYTE_KIND);
2478
0
            Py_UCS4 *p;
2479
0
            WRITE_UNICODE_DIGITS(Py_UCS4);
2480
0
        }
2481
5.68M
    }
2482
2483
5.68M
#undef WRITE_DIGITS
2484
5.68M
#undef WRITE_UNICODE_DIGITS
2485
2486
5.68M
    if (writer) {
2487
167
        writer->pos += sz;
2488
167
    }
2489
5.68M
    else if (bytes_writer) {
2490
0
        (*bytes_str) += sz;
2491
0
    }
2492
5.68M
    else {
2493
5.68M
        assert(_PyUnicode_CheckConsistency(v, 1));
2494
5.68M
        *p_output = v;
2495
5.68M
    }
2496
5.68M
    return 0;
2497
5.68M
}
2498
2499
PyObject *
2500
_PyLong_Format(PyObject *obj, int base)
2501
9.35M
{
2502
9.35M
    PyObject *str;
2503
9.35M
    int err;
2504
9.35M
    if (base == 10)
2505
3.66M
        err = long_to_decimal_string_internal(obj, &str, NULL, NULL, NULL);
2506
5.68M
    else
2507
5.68M
        err = long_format_binary(obj, base, 1, &str, NULL, NULL, NULL);
2508
9.35M
    if (err == -1)
2509
0
        return NULL;
2510
9.35M
    return str;
2511
9.35M
}
2512
2513
int
2514
_PyLong_FormatWriter(_PyUnicodeWriter *writer,
2515
                     PyObject *obj,
2516
                     int base, int alternate)
2517
3.62M
{
2518
3.62M
    if (base == 10)
2519
3.62M
        return long_to_decimal_string_internal(obj, NULL, writer,
2520
3.62M
                                               NULL, NULL);
2521
167
    else
2522
167
        return long_format_binary(obj, base, alternate, NULL, writer,
2523
167
                                  NULL, NULL);
2524
3.62M
}
2525
2526
char*
2527
_PyLong_FormatBytesWriter(PyBytesWriter *writer, char *str,
2528
                          PyObject *obj,
2529
                          int base, int alternate)
2530
0
{
2531
0
    char *str2;
2532
0
    int res;
2533
0
    str2 = str;
2534
0
    if (base == 10)
2535
0
        res = long_to_decimal_string_internal(obj, NULL, NULL,
2536
0
                                              writer, &str2);
2537
0
    else
2538
0
        res = long_format_binary(obj, base, alternate, NULL, NULL,
2539
0
                                 writer, &str2);
2540
0
    if (res < 0)
2541
0
        return NULL;
2542
0
    assert(str2 != NULL);
2543
0
    return str2;
2544
0
}
2545
2546
/* Table of digit values for 8-bit string -> integer conversion.
2547
 * '0' maps to 0, ..., '9' maps to 9.
2548
 * 'a' and 'A' map to 10, ..., 'z' and 'Z' map to 35.
2549
 * All other indices map to 37.
2550
 * Note that when converting a base B string, a char c is a legitimate
2551
 * base B digit iff _PyLong_DigitValue[Py_CHARPyLong_MASK(c)] < B.
2552
 */
2553
unsigned char _PyLong_DigitValue[256] = {
2554
    37, 37, 37, 37, 37, 37, 37, 37, 37, 37, 37, 37, 37, 37, 37, 37,
2555
    37, 37, 37, 37, 37, 37, 37, 37, 37, 37, 37, 37, 37, 37, 37, 37,
2556
    37, 37, 37, 37, 37, 37, 37, 37, 37, 37, 37, 37, 37, 37, 37, 37,
2557
    0,  1,  2,  3,  4,  5,  6,  7,  8,  9,  37, 37, 37, 37, 37, 37,
2558
    37, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24,
2559
    25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 37, 37, 37, 37, 37,
2560
    37, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24,
2561
    25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 37, 37, 37, 37, 37,
2562
    37, 37, 37, 37, 37, 37, 37, 37, 37, 37, 37, 37, 37, 37, 37, 37,
2563
    37, 37, 37, 37, 37, 37, 37, 37, 37, 37, 37, 37, 37, 37, 37, 37,
2564
    37, 37, 37, 37, 37, 37, 37, 37, 37, 37, 37, 37, 37, 37, 37, 37,
2565
    37, 37, 37, 37, 37, 37, 37, 37, 37, 37, 37, 37, 37, 37, 37, 37,
2566
    37, 37, 37, 37, 37, 37, 37, 37, 37, 37, 37, 37, 37, 37, 37, 37,
2567
    37, 37, 37, 37, 37, 37, 37, 37, 37, 37, 37, 37, 37, 37, 37, 37,
2568
    37, 37, 37, 37, 37, 37, 37, 37, 37, 37, 37, 37, 37, 37, 37, 37,
2569
    37, 37, 37, 37, 37, 37, 37, 37, 37, 37, 37, 37, 37, 37, 37, 37,
2570
};
2571
2572
/* `start` and `end` point to the start and end of a string of base `base`
2573
 * digits.  base is a power of 2 (2, 4, 8, 16, or 32). An unnormalized int is
2574
 * returned in *res. The string should be already validated by the caller and
2575
 * consists only of valid digit characters and underscores. `digits` gives the
2576
 * number of digit characters.
2577
 *
2578
 * The point to this routine is that it takes time linear in the
2579
 * number of string characters.
2580
 *
2581
 * Return values:
2582
 *   -1 on syntax error (exception needs to be set, *res is untouched)
2583
 *   0 else (exception may be set, in that case *res is set to NULL)
2584
 */
2585
static int
2586
long_from_binary_base(const char *start, const char *end, Py_ssize_t digits, int base, PyLongObject **res)
2587
10.5M
{
2588
10.5M
    const char *p;
2589
10.5M
    int bits_per_char;
2590
10.5M
    Py_ssize_t n;
2591
10.5M
    PyLongObject *z;
2592
10.5M
    twodigits accum;
2593
10.5M
    int bits_in_accum;
2594
10.5M
    digit *pdigit;
2595
2596
10.5M
    assert(base >= 2 && base <= 32 && (base & (base - 1)) == 0);
2597
10.5M
    n = base;
2598
48.5M
    for (bits_per_char = -1; n; ++bits_per_char) {
2599
37.9M
        n >>= 1;
2600
37.9M
    }
2601
2602
    /* n <- the number of Python digits needed,
2603
            = ceiling((digits * bits_per_char) / PyLong_SHIFT). */
2604
10.5M
    if (digits > (PY_SSIZE_T_MAX - (PyLong_SHIFT - 1)) / bits_per_char) {
2605
0
        PyErr_SetString(PyExc_ValueError,
2606
0
                        "int string too large to convert");
2607
0
        *res = NULL;
2608
0
        return 0;
2609
0
    }
2610
10.5M
    n = (digits * bits_per_char + PyLong_SHIFT - 1) / PyLong_SHIFT;
2611
10.5M
    z = long_alloc(n);
2612
10.5M
    if (z == NULL) {
2613
0
        *res = NULL;
2614
0
        return 0;
2615
0
    }
2616
    /* Read string from right, and fill in int from left; i.e.,
2617
     * from least to most significant in both.
2618
     */
2619
10.5M
    accum = 0;
2620
10.5M
    bits_in_accum = 0;
2621
10.5M
    pdigit = z->long_value.ob_digit;
2622
10.5M
    p = end;
2623
148M
    while (--p >= start) {
2624
137M
        int k;
2625
137M
        if (*p == '_') {
2626
363
            continue;
2627
363
        }
2628
137M
        k = (int)_PyLong_DigitValue[Py_CHARMASK(*p)];
2629
137M
        assert(k >= 0 && k < base);
2630
137M
        accum |= (twodigits)k << bits_in_accum;
2631
137M
        bits_in_accum += bits_per_char;
2632
137M
        if (bits_in_accum >= PyLong_SHIFT) {
2633
4.55M
            *pdigit++ = (digit)(accum & PyLong_MASK);
2634
4.55M
            assert(pdigit - z->long_value.ob_digit <= n);
2635
4.55M
            accum >>= PyLong_SHIFT;
2636
4.55M
            bits_in_accum -= PyLong_SHIFT;
2637
4.55M
            assert(bits_in_accum < PyLong_SHIFT);
2638
4.55M
        }
2639
137M
    }
2640
10.5M
    if (bits_in_accum) {
2641
10.5M
        assert(bits_in_accum <= PyLong_SHIFT);
2642
10.5M
        *pdigit++ = (digit)accum;
2643
10.5M
        assert(pdigit - z->long_value.ob_digit <= n);
2644
10.5M
    }
2645
10.5M
    while (pdigit - z->long_value.ob_digit < n)
2646
0
        *pdigit++ = 0;
2647
10.5M
    *res = z;
2648
10.5M
    return 0;
2649
10.5M
}
2650
2651
#ifdef WITH_PYLONG_MODULE
2652
/* asymptotically faster str-to-long conversion for base 10, using _pylong.py */
2653
static int
2654
pylong_int_from_string(const char *start, const char *end, PyLongObject **res)
2655
0
{
2656
0
    PyObject *mod = PyImport_ImportModule("_pylong");
2657
0
    if (mod == NULL) {
2658
0
        goto error;
2659
0
    }
2660
0
    PyObject *s = PyUnicode_FromStringAndSize(start, end-start);
2661
0
    if (s == NULL) {
2662
0
        Py_DECREF(mod);
2663
0
        goto error;
2664
0
    }
2665
0
    PyObject *result = PyObject_CallMethod(mod, "int_from_string", "O", s);
2666
0
    Py_DECREF(s);
2667
0
    Py_DECREF(mod);
2668
0
    if (result == NULL) {
2669
0
        goto error;
2670
0
    }
2671
0
    if (!PyLong_Check(result)) {
2672
0
        Py_DECREF(result);
2673
0
        PyErr_SetString(PyExc_TypeError,
2674
0
                        "_pylong.int_from_string did not return an int");
2675
0
        goto error;
2676
0
    }
2677
0
    *res = (PyLongObject *)result;
2678
0
    return 0;
2679
0
error:
2680
0
    *res = NULL;
2681
0
    return 0;  // See the long_from_string_base() API comment.
2682
0
}
2683
#endif /* WITH_PYLONG_MODULE */
2684
2685
/***
2686
long_from_non_binary_base: parameters and return values are the same as
2687
long_from_binary_base.
2688
2689
Binary bases can be converted in time linear in the number of digits, because
2690
Python's representation base is binary.  Other bases (including decimal!) use
2691
the simple quadratic-time algorithm below, complicated by some speed tricks.
2692
2693
First some math:  the largest integer that can be expressed in N base-B digits
2694
is B**N-1.  Consequently, if we have an N-digit input in base B, the worst-
2695
case number of Python digits needed to hold it is the smallest integer n s.t.
2696
2697
    BASE**n-1 >= B**N-1  [or, adding 1 to both sides]
2698
    BASE**n >= B**N      [taking logs to base BASE]
2699
    n >= log(B**N)/log(BASE) = N * log(B)/log(BASE)
2700
2701
The static array log_base_BASE[base] == log(base)/log(BASE) so we can compute
2702
this quickly.  A Python int with that much space is reserved near the start,
2703
and the result is computed into it.
2704
2705
The input string is actually treated as being in base base**i (i.e., i digits
2706
are processed at a time), where two more static arrays hold:
2707
2708
    convwidth_base[base] = the largest integer i such that base**i <= BASE
2709
    convmultmax_base[base] = base ** convwidth_base[base]
2710
2711
The first of these is the largest i such that i consecutive input digits
2712
must fit in a single Python digit.  The second is effectively the input
2713
base we're really using.
2714
2715
Viewing the input as a sequence <c0, c1, ..., c_n-1> of digits in base
2716
convmultmax_base[base], the result is "simply"
2717
2718
   (((c0*B + c1)*B + c2)*B + c3)*B + ... ))) + c_n-1
2719
2720
where B = convmultmax_base[base].
2721
2722
Error analysis:  as above, the number of Python digits `n` needed is worst-
2723
case
2724
2725
    n >= N * log(B)/log(BASE)
2726
2727
where `N` is the number of input digits in base `B`.  This is computed via
2728
2729
    size_z = (Py_ssize_t)((scan - str) * log_base_BASE[base]) + 1;
2730
2731
below.  Two numeric concerns are how much space this can waste, and whether
2732
the computed result can be too small.  To be concrete, assume BASE = 2**15,
2733
which is the default (and it's unlikely anyone changes that).
2734
2735
Waste isn't a problem:  provided the first input digit isn't 0, the difference
2736
between the worst-case input with N digits and the smallest input with N
2737
digits is about a factor of B, but B is small compared to BASE so at most
2738
one allocated Python digit can remain unused on that count.  If
2739
N*log(B)/log(BASE) is mathematically an exact integer, then truncating that
2740
and adding 1 returns a result 1 larger than necessary.  However, that can't
2741
happen:  whenever B is a power of 2, long_from_binary_base() is called
2742
instead, and it's impossible for B**i to be an integer power of 2**15 when
2743
B is not a power of 2 (i.e., it's impossible for N*log(B)/log(BASE) to be
2744
an exact integer when B is not a power of 2, since B**i has a prime factor
2745
other than 2 in that case, but (2**15)**j's only prime factor is 2).
2746
2747
The computed result can be too small if the true value of N*log(B)/log(BASE)
2748
is a little bit larger than an exact integer, but due to roundoff errors (in
2749
computing log(B), log(BASE), their quotient, and/or multiplying that by N)
2750
yields a numeric result a little less than that integer.  Unfortunately, "how
2751
close can a transcendental function get to an integer over some range?"
2752
questions are generally theoretically intractable.  Computer analysis via
2753
continued fractions is practical:  expand log(B)/log(BASE) via continued
2754
fractions, giving a sequence i/j of "the best" rational approximations.  Then
2755
j*log(B)/log(BASE) is approximately equal to (the integer) i.  This shows that
2756
we can get very close to being in trouble, but very rarely.  For example,
2757
76573 is a denominator in one of the continued-fraction approximations to
2758
log(10)/log(2**15), and indeed:
2759
2760
    >>> log(10)/log(2**15)*76573
2761
    16958.000000654003
2762
2763
is very close to an integer.  If we were working with IEEE single-precision,
2764
rounding errors could kill us.  Finding worst cases in IEEE double-precision
2765
requires better-than-double-precision log() functions, and Tim didn't bother.
2766
Instead the code checks to see whether the allocated space is enough as each
2767
new Python digit is added, and copies the whole thing to a larger int if not.
2768
This should happen extremely rarely, and in fact I don't have a test case
2769
that triggers it(!).  Instead the code was tested by artificially allocating
2770
just 1 digit at the start, so that the copying code was exercised for every
2771
digit beyond the first.
2772
***/
2773
2774
// Tables are computed by Tools/scripts/long_conv_tables.py
2775
#if PYLONG_BITS_IN_DIGIT == 15
2776
    static const double log_base_BASE[37] = {0.0, 0.0, 0.0,
2777
        0.10566416671474375, 0.0, 0.15479520632582416,
2778
        0.17233083338141042, 0.18715699480384027, 0.0,
2779
        0.2113283334294875, 0.22146187299249084, 0.23062877457581984,
2780
        0.2389975000480771, 0.24669598120940617, 0.25382366147050694,
2781
        0.26045937304056793, 0.0, 0.27249752275002265,
2782
        0.27799500009615413, 0.2831951675629057, 0.28812853965915747,
2783
        0.29282116151858406, 0.2972954412424865, 0.3015707970704675,
2784
        0.3056641667147438, 0.30959041265164833, 0.3133626478760728,
2785
        0.31699250014423125, 0.3204903281371736, 0.3238653996751715,
2786
        0.3271260397072346, 0.3302797540257917, 0.0,
2787
        0.3362929412905636, 0.3391641894166893, 0.34195220112966446,
2788
        0.34466166676282084};
2789
    static const int convwidth_base[37] = {0, 0, 0, 9, 0, 6, 5, 5, 0,
2790
        4, 4, 4, 4, 4, 3, 3, 0, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3,
2791
        3, 3, 0, 2, 2, 2, 2};
2792
    static const twodigits convmultmax_base[37] = {0, 0, 0, 19683, 0,
2793
        15625, 7776, 16807, 0, 6561, 10000, 14641, 20736, 28561, 2744,
2794
        3375, 0, 4913, 5832, 6859, 8000, 9261, 10648, 12167, 13824,
2795
        15625, 17576, 19683, 21952, 24389, 27000, 29791, 0, 1089,
2796
        1156, 1225, 1296};
2797
#elif PYLONG_BITS_IN_DIGIT == 30
2798
    static const double log_base_BASE[37] = {0.0, 0.0, 0.0,
2799
        0.05283208335737188, 0.0, 0.07739760316291208,
2800
        0.08616541669070521, 0.09357849740192013, 0.0,
2801
        0.10566416671474375, 0.11073093649624542, 0.11531438728790992,
2802
        0.11949875002403855, 0.12334799060470308, 0.12691183073525347,
2803
        0.13022968652028397, 0.0, 0.13624876137501132,
2804
        0.13899750004807707, 0.14159758378145285, 0.14406426982957873,
2805
        0.14641058075929203, 0.14864772062124326, 0.15078539853523376,
2806
        0.1528320833573719, 0.15479520632582416, 0.1566813239380364,
2807
        0.15849625007211562, 0.1602451640685868, 0.16193269983758574,
2808
        0.1635630198536173, 0.16513987701289584, 0.0,
2809
        0.1681464706452818, 0.16958209470834465, 0.17097610056483223,
2810
        0.17233083338141042};
2811
    static const int convwidth_base[37] = {0, 0, 0, 18, 0, 12, 11, 10,
2812
        0, 9, 9, 8, 8, 8, 7, 7, 0, 7, 7, 7, 6, 6, 6, 6, 6, 6, 6, 6, 6,
2813
        6, 6, 6, 0, 5, 5, 5, 5};
2814
    static const twodigits convmultmax_base[37] = {0, 0, 0, 387420489,
2815
        0, 244140625, 362797056, 282475249, 0, 387420489, 1000000000,
2816
        214358881, 429981696, 815730721, 105413504, 170859375, 0,
2817
        410338673, 612220032, 893871739, 64000000, 85766121,
2818
        113379904, 148035889, 191102976, 244140625, 308915776,
2819
        387420489, 481890304, 594823321, 729000000, 887503681, 0,
2820
        39135393, 45435424, 52521875, 60466176};
2821
#else
2822
    #error "invalid PYLONG_BITS_IN_DIGIT value"
2823
#endif
2824
2825
static int
2826
long_from_non_binary_base(const char *start, const char *end, Py_ssize_t digits, int base, PyLongObject **res)
2827
9.74M
{
2828
9.74M
    twodigits c;           /* current input character */
2829
9.74M
    Py_ssize_t size_z;
2830
9.74M
    int i;
2831
9.74M
    int convwidth;
2832
9.74M
    twodigits convmultmax, convmult;
2833
9.74M
    digit *pz, *pzstop;
2834
9.74M
    PyLongObject *z;
2835
9.74M
    const char *p;
2836
2837
9.74M
    assert(log_base_BASE[base] != 0.0);
2838
2839
    /* Create an int object that can contain the largest possible
2840
     * integer with this base and length.  Note that there's no
2841
     * need to initialize z->long_value.ob_digit -- no slot is read up before
2842
     * being stored into.
2843
     */
2844
9.74M
    double fsize_z = (double)digits * log_base_BASE[base] + 1.0;
2845
9.74M
    if (fsize_z > (double)MAX_LONG_DIGITS) {
2846
        /* The same exception as in long_alloc(). */
2847
0
        PyErr_SetString(PyExc_OverflowError,
2848
0
                        "too many digits in integer");
2849
0
        *res = NULL;
2850
0
        return 0;
2851
0
    }
2852
9.74M
    size_z = (Py_ssize_t)fsize_z;
2853
    /* Uncomment next line to test exceedingly rare copy code */
2854
    /* size_z = 1; */
2855
9.74M
    assert(size_z > 0);
2856
9.74M
    z = long_alloc(size_z);
2857
9.74M
    if (z == NULL) {
2858
0
        *res = NULL;
2859
0
        return 0;
2860
0
    }
2861
9.74M
    z->long_value.ob_digit[0] = 0;
2862
9.74M
    _PyLong_SetSignAndDigitCount(z, 0, 0);
2863
2864
    /* `convwidth` consecutive input digits are treated as a single
2865
     * digit in base `convmultmax`.
2866
     */
2867
9.74M
    convwidth = convwidth_base[base];
2868
9.74M
    convmultmax = convmultmax_base[base];
2869
2870
    /* Work ;-) */
2871
9.74M
    p = start;
2872
19.7M
    while (p < end) {
2873
10.0M
        if (*p == '_') {
2874
392
            p++;
2875
392
            continue;
2876
392
        }
2877
        /* grab up to convwidth digits from the input string */
2878
10.0M
        c = (digit)_PyLong_DigitValue[Py_CHARMASK(*p++)];
2879
13.7M
        for (i = 1; i < convwidth && p != end; ++p) {
2880
3.74M
            if (*p == '_') {
2881
2.94k
                continue;
2882
2.94k
            }
2883
3.74M
            i++;
2884
3.74M
            c = (twodigits)(c *  base +
2885
3.74M
                            (int)_PyLong_DigitValue[Py_CHARMASK(*p)]);
2886
3.74M
            assert(c < PyLong_BASE);
2887
3.74M
        }
2888
2889
10.0M
        convmult = convmultmax;
2890
        /* Calculate the shift only if we couldn't get
2891
         * convwidth digits.
2892
         */
2893
10.0M
        if (i != convwidth) {
2894
9.74M
            convmult = base;
2895
11.3M
            for ( ; i > 1; --i) {
2896
1.59M
                convmult *= base;
2897
1.59M
            }
2898
9.74M
        }
2899
2900
        /* Multiply z by convmult, and add c. */
2901
10.0M
        pz = z->long_value.ob_digit;
2902
10.0M
        pzstop = pz + _PyLong_DigitCount(z);
2903
18.0M
        for (; pz < pzstop; ++pz) {
2904
8.00M
            c += (twodigits)*pz * convmult;
2905
8.00M
            *pz = (digit)(c & PyLong_MASK);
2906
8.00M
            c >>= PyLong_SHIFT;
2907
8.00M
        }
2908
        /* carry off the current end? */
2909
10.0M
        if (c) {
2910
8.01M
            assert(c < PyLong_BASE);
2911
8.01M
            if (_PyLong_DigitCount(z) < size_z) {
2912
8.01M
                *pz = (digit)c;
2913
8.01M
                assert(!_PyLong_IsNegative(z));
2914
8.01M
                _PyLong_SetSignAndDigitCount(z, 1, _PyLong_DigitCount(z) + 1);
2915
8.01M
            }
2916
0
            else {
2917
0
                PyLongObject *tmp;
2918
                /* Extremely rare.  Get more space. */
2919
0
                assert(_PyLong_DigitCount(z) == size_z);
2920
0
                tmp = long_alloc(size_z + 1);
2921
0
                if (tmp == NULL) {
2922
0
                    Py_DECREF(z);
2923
0
                    *res = NULL;
2924
0
                    return 0;
2925
0
                }
2926
0
                memcpy(tmp->long_value.ob_digit,
2927
0
                       z->long_value.ob_digit,
2928
0
                       sizeof(digit) * size_z);
2929
0
                Py_SETREF(z, tmp);
2930
0
                z->long_value.ob_digit[size_z] = (digit)c;
2931
0
                ++size_z;
2932
0
            }
2933
8.01M
        }
2934
10.0M
    }
2935
9.74M
    *res = z;
2936
9.74M
    return 0;
2937
9.74M
}
2938
2939
/* *str points to the first digit in a string of base `base` digits. base is an
2940
 * integer from 2 to 36 inclusive. Here we don't need to worry about prefixes
2941
 * like 0x or leading +- signs. The string should be null terminated consisting
2942
 * of ASCII digits and separating underscores possibly with trailing whitespace
2943
 * but we have to validate all of those points here.
2944
 *
2945
 * If base is a power of 2 then the complexity is linear in the number of
2946
 * characters in the string. Otherwise a quadratic algorithm is used for
2947
 * non-binary bases.
2948
 *
2949
 * Return values:
2950
 *
2951
 *   - Returns -1 on syntax error (exception needs to be set, *res is untouched)
2952
 *   - Returns 0 and sets *res to NULL for MemoryError, OverflowError, or
2953
 *     _pylong.int_from_string() errors.
2954
 *   - Returns 0 and sets *res to an unsigned, unnormalized PyLong (success!).
2955
 *
2956
 * Afterwards *str is set to point to the first non-digit (which may be *str!).
2957
 */
2958
static int
2959
long_from_string_base(const char **str, int base, PyLongObject **res)
2960
21.9M
{
2961
21.9M
    const char *start, *end, *p;
2962
21.9M
    char prev = 0;
2963
21.9M
    Py_ssize_t digits = 0;
2964
21.9M
    int is_binary_base = (base & (base - 1)) == 0;
2965
2966
    /* Here we do four things:
2967
     *
2968
     * - Find the `end` of the string.
2969
     * - Validate the string.
2970
     * - Count the number of `digits` (rather than underscores)
2971
     * - Point *str to the end-of-string or first invalid character.
2972
     */
2973
21.9M
    start = p = *str;
2974
    /* Leading underscore not allowed. */
2975
21.9M
    if (*start == '_') {
2976
1.59k
        return -1;
2977
1.59k
    }
2978
    /* Verify all characters are digits and underscores. */
2979
182M
    while (_PyLong_DigitValue[Py_CHARMASK(*p)] < base || *p == '_') {
2980
160M
        if (*p == '_') {
2981
            /* Double underscore not allowed. */
2982
4.09k
            if (prev == '_') {
2983
133
                *str = p - 1;
2984
133
                return -1;
2985
133
            }
2986
160M
        } else {
2987
160M
            ++digits;
2988
160M
        }
2989
160M
        prev = *p;
2990
160M
        ++p;
2991
160M
    }
2992
    /* Trailing underscore not allowed. */
2993
21.9M
    if (prev == '_') {
2994
41
        *str = p - 1;
2995
41
        return -1;
2996
41
    }
2997
21.9M
    *str = end = p;
2998
    /* Reject empty strings */
2999
21.9M
    if (start == end) {
3000
1.64M
        return -1;
3001
1.64M
    }
3002
    /* Allow only trailing whitespace after `end` */
3003
20.3M
    while (*p && Py_ISSPACE(*p)) {
3004
14.7k
        p++;
3005
14.7k
    }
3006
20.3M
    *str = p;
3007
20.3M
    if (*p != '\0') {
3008
4.02k
        return -1;
3009
4.02k
    }
3010
3011
    /*
3012
     * Pass a validated string consisting of only valid digits and underscores
3013
     * to long_from_xxx_base.
3014
     */
3015
20.3M
    if (is_binary_base) {
3016
        /* Use the linear algorithm for binary bases. */
3017
10.5M
        return long_from_binary_base(start, end, digits, base, res);
3018
10.5M
    }
3019
9.74M
    else {
3020
        /* Limit the size to avoid excessive computation attacks exploiting the
3021
         * quadratic algorithm. */
3022
9.74M
        if (digits > _PY_LONG_MAX_STR_DIGITS_THRESHOLD) {
3023
1.29k
            PyInterpreterState *interp = _PyInterpreterState_GET();
3024
1.29k
            int max_str_digits = interp->long_state.max_str_digits;
3025
1.29k
            if ((max_str_digits > 0) && (digits > max_str_digits)) {
3026
71
                PyErr_Format(PyExc_ValueError, _MAX_STR_DIGITS_ERROR_FMT_TO_INT,
3027
71
                             max_str_digits, digits);
3028
71
                *res = NULL;
3029
71
                return 0;
3030
71
            }
3031
1.29k
        }
3032
9.74M
#if WITH_PYLONG_MODULE
3033
9.74M
        if (digits > 6000 && base == 10) {
3034
            /* Switch to _pylong.int_from_string() */
3035
0
            return pylong_int_from_string(start, end, res);
3036
0
        }
3037
9.74M
#endif
3038
        /* Use the quadratic algorithm for non binary bases. */
3039
9.74M
        return long_from_non_binary_base(start, end, digits, base, res);
3040
9.74M
    }
3041
20.3M
}
3042
3043
/* Parses an int from a bytestring. Leading and trailing whitespace will be
3044
 * ignored.
3045
 *
3046
 * If successful, a PyLong object will be returned and 'pend' will be pointing
3047
 * to the first unused byte unless it's NULL.
3048
 *
3049
 * If unsuccessful, NULL will be returned.
3050
 */
3051
PyObject *
3052
PyLong_FromString(const char *str, char **pend, int base)
3053
21.9M
{
3054
21.9M
    int sign = 1, error_if_nonzero = 0;
3055
21.9M
    const char *orig_str = str;
3056
21.9M
    PyLongObject *z = NULL;
3057
21.9M
    PyObject *strobj;
3058
21.9M
    Py_ssize_t slen;
3059
3060
21.9M
    if ((base != 0 && base < 2) || base > 36) {
3061
0
        PyErr_SetString(PyExc_ValueError,
3062
0
                        "int() arg 2 must be >= 2 and <= 36");
3063
0
        return NULL;
3064
0
    }
3065
21.9M
    while (*str != '\0' && Py_ISSPACE(*str)) {
3066
400
        ++str;
3067
400
    }
3068
21.9M
    if (*str == '+') {
3069
3.53k
        ++str;
3070
3.53k
    }
3071
21.9M
    else if (*str == '-') {
3072
27.3k
        ++str;
3073
27.3k
        sign = -1;
3074
27.3k
    }
3075
21.9M
    if (base == 0) {
3076
193k
        if (str[0] != '0') {
3077
177k
            base = 10;
3078
177k
        }
3079
15.7k
        else if (str[1] == 'x' || str[1] == 'X') {
3080
1.32k
            base = 16;
3081
1.32k
        }
3082
14.4k
        else if (str[1] == 'o' || str[1] == 'O') {
3083
223
            base = 8;
3084
223
        }
3085
14.2k
        else if (str[1] == 'b' || str[1] == 'B') {
3086
97
            base = 2;
3087
97
        }
3088
14.1k
        else {
3089
            /* "old" (C-style) octal literal, now invalid.
3090
               it might still be zero though */
3091
14.1k
            error_if_nonzero = 1;
3092
14.1k
            base = 10;
3093
14.1k
        }
3094
193k
    }
3095
21.9M
    if (str[0] == '0' &&
3096
11.0M
        ((base == 16 && (str[1] == 'x' || str[1] == 'X')) ||
3097
11.0M
         (base == 8  && (str[1] == 'o' || str[1] == 'O')) ||
3098
11.0M
         (base == 2  && (str[1] == 'b' || str[1] == 'B')))) {
3099
2.44k
        str += 2;
3100
        /* One underscore allowed here. */
3101
2.44k
        if (*str == '_') {
3102
0
            ++str;
3103
0
        }
3104
2.44k
    }
3105
3106
    /* long_from_string_base is the main workhorse here. */
3107
21.9M
    int ret = long_from_string_base(&str, base, &z);
3108
21.9M
    if (ret == -1) {
3109
        /* Syntax error. */
3110
1.65M
        goto onError;
3111
1.65M
    }
3112
20.3M
    if (z == NULL) {
3113
        /* Error. exception already set. */
3114
71
        return NULL;
3115
71
    }
3116
3117
20.3M
    if (error_if_nonzero) {
3118
        /* reset the base to 0, else the exception message
3119
           doesn't make too much sense */
3120
14.1k
        base = 0;
3121
14.1k
        if (!_PyLong_IsZero(z)) {
3122
0
            goto onError;
3123
0
        }
3124
        /* there might still be other problems, therefore base
3125
           remains zero here for the same reason */
3126
14.1k
    }
3127
3128
    /* Set sign and normalize */
3129
20.3M
    long_normalize(z);
3130
20.3M
    z = maybe_small_long(z);
3131
20.3M
    if (sign < 0) {
3132
27.3k
        _PyLong_Negate(&z);
3133
27.3k
    }
3134
3135
20.3M
    if (pend != NULL) {
3136
16.1M
        *pend = (char *)str;
3137
16.1M
    }
3138
20.3M
    return (PyObject *) z;
3139
3140
1.65M
  onError:
3141
1.65M
    if (pend != NULL) {
3142
1.65M
        *pend = (char *)str;
3143
1.65M
    }
3144
1.65M
    Py_XDECREF(z);
3145
1.65M
    slen = strlen(orig_str) < 200 ? strlen(orig_str) : 200;
3146
1.65M
    strobj = PyUnicode_FromStringAndSize(orig_str, slen);
3147
1.65M
    if (strobj == NULL) {
3148
39
        return NULL;
3149
39
    }
3150
1.65M
    PyErr_Format(PyExc_ValueError,
3151
1.65M
                 "invalid literal for int() with base %d: %.200R",
3152
1.65M
                 base, strobj);
3153
1.65M
    Py_DECREF(strobj);
3154
1.65M
    return NULL;
3155
1.65M
}
3156
3157
/* Since PyLong_FromString doesn't have a length parameter,
3158
 * check here for possible NULs in the string.
3159
 *
3160
 * Reports an invalid literal as a bytes object.
3161
 */
3162
PyObject *
3163
_PyLong_FromBytes(const char *s, Py_ssize_t len, int base)
3164
2.81M
{
3165
2.81M
    PyObject *result, *strobj;
3166
2.81M
    char *end = NULL;
3167
3168
2.81M
    result = PyLong_FromString(s, &end, base);
3169
2.81M
    if (end == NULL || (result != NULL && end == s + len))
3170
2.81M
        return result;
3171
79
    Py_XDECREF(result);
3172
79
    strobj = PyBytes_FromStringAndSize(s, Py_MIN(len, 200));
3173
79
    if (strobj != NULL) {
3174
79
        PyErr_Format(PyExc_ValueError,
3175
79
                     "invalid literal for int() with base %d: %.200R",
3176
79
                     base, strobj);
3177
79
        Py_DECREF(strobj);
3178
79
    }
3179
79
    return NULL;
3180
2.81M
}
3181
3182
PyObject *
3183
PyLong_FromUnicodeObject(PyObject *u, int base)
3184
14.9M
{
3185
14.9M
    PyObject *result, *asciidig;
3186
14.9M
    const char *buffer;
3187
14.9M
    char *end = NULL;
3188
14.9M
    Py_ssize_t buflen;
3189
3190
14.9M
    asciidig = _PyUnicode_TransformDecimalAndSpaceToASCII(u);
3191
14.9M
    if (asciidig == NULL)
3192
0
        return NULL;
3193
14.9M
    assert(PyUnicode_IS_ASCII(asciidig));
3194
    /* Simply get a pointer to existing ASCII characters. */
3195
14.9M
    buffer = PyUnicode_AsUTF8AndSize(asciidig, &buflen);
3196
14.9M
    assert(buffer != NULL);
3197
3198
14.9M
    result = PyLong_FromString(buffer, &end, base);
3199
14.9M
    if (end == NULL || (result != NULL && end == buffer + buflen)) {
3200
13.2M
        Py_DECREF(asciidig);
3201
13.2M
        return result;
3202
13.2M
    }
3203
1.65M
    Py_DECREF(asciidig);
3204
1.65M
    Py_XDECREF(result);
3205
1.65M
    PyErr_Format(PyExc_ValueError,
3206
1.65M
                 "invalid literal for int() with base %d: %.200R",
3207
1.65M
                 base, u);
3208
1.65M
    return NULL;
3209
14.9M
}
3210
3211
/* Int division with remainder, top-level routine */
3212
3213
static int
3214
long_divrem(PyLongObject *a, PyLongObject *b,
3215
            PyLongObject **pdiv, PyLongObject **prem)
3216
945k
{
3217
945k
    Py_ssize_t size_a = _PyLong_DigitCount(a), size_b = _PyLong_DigitCount(b);
3218
945k
    PyLongObject *z;
3219
3220
945k
    if (size_b == 0) {
3221
0
        PyErr_SetString(PyExc_ZeroDivisionError, "division by zero");
3222
0
        return -1;
3223
0
    }
3224
945k
    if (size_a < size_b ||
3225
11.0k
        (size_a == size_b &&
3226
934k
         a->long_value.ob_digit[size_a-1] < b->long_value.ob_digit[size_b-1])) {
3227
        /* |a| < |b|. */
3228
934k
        *prem = (PyLongObject *)long_long((PyObject *)a);
3229
934k
        if (*prem == NULL) {
3230
0
            return -1;
3231
0
        }
3232
934k
        *pdiv = (PyLongObject*)_PyLong_GetZero();
3233
934k
        return 0;
3234
934k
    }
3235
11.0k
    if (size_b == 1) {
3236
11.0k
        digit rem = 0;
3237
11.0k
        z = divrem1(a, b->long_value.ob_digit[0], &rem);
3238
11.0k
        if (z == NULL)
3239
0
            return -1;
3240
11.0k
        *prem = (PyLongObject *) PyLong_FromLong((long)rem);
3241
11.0k
        if (*prem == NULL) {
3242
0
            Py_DECREF(z);
3243
0
            return -1;
3244
0
        }
3245
11.0k
    }
3246
0
    else {
3247
0
        z = x_divrem(a, b, prem);
3248
0
        *prem = maybe_small_long(*prem);
3249
0
        if (z == NULL)
3250
0
            return -1;
3251
0
    }
3252
    /* Set the signs.
3253
       The quotient z has the sign of a*b;
3254
       the remainder r has the sign of a,
3255
       so a = b*z + r. */
3256
11.0k
    if ((_PyLong_IsNegative(a)) != (_PyLong_IsNegative(b))) {
3257
6
        _PyLong_Negate(&z);
3258
6
        if (z == NULL) {
3259
0
            Py_CLEAR(*prem);
3260
0
            return -1;
3261
0
        }
3262
6
    }
3263
11.0k
    if (_PyLong_IsNegative(a) && !_PyLong_IsZero(*prem)) {
3264
1
        _PyLong_Negate(prem);
3265
1
        if (*prem == NULL) {
3266
0
            Py_DECREF(z);
3267
0
            Py_CLEAR(*prem);
3268
0
            return -1;
3269
0
        }
3270
1
    }
3271
11.0k
    *pdiv = maybe_small_long(z);
3272
11.0k
    return 0;
3273
11.0k
}
3274
3275
/* Int remainder, top-level routine */
3276
3277
static int
3278
long_rem(PyLongObject *a, PyLongObject *b, PyLongObject **prem)
3279
4.37M
{
3280
4.37M
    Py_ssize_t size_a = _PyLong_DigitCount(a), size_b = _PyLong_DigitCount(b);
3281
3282
4.37M
    if (size_b == 0) {
3283
0
        PyErr_SetString(PyExc_ZeroDivisionError,
3284
0
                        "division by zero");
3285
0
        return -1;
3286
0
    }
3287
4.37M
    if (size_a < size_b ||
3288
326
        (size_a == size_b &&
3289
4.37M
         a->long_value.ob_digit[size_a-1] < b->long_value.ob_digit[size_b-1])) {
3290
        /* |a| < |b|. */
3291
4.37M
        *prem = (PyLongObject *)long_long((PyObject *)a);
3292
4.37M
        return -(*prem == NULL);
3293
4.37M
    }
3294
326
    if (size_b == 1) {
3295
26
        *prem = rem1(a, b->long_value.ob_digit[0]);
3296
26
        if (*prem == NULL)
3297
0
            return -1;
3298
26
    }
3299
300
    else {
3300
        /* Slow path using divrem. */
3301
300
        Py_XDECREF(x_divrem(a, b, prem));
3302
300
        *prem = maybe_small_long(*prem);
3303
300
        if (*prem == NULL)
3304
0
            return -1;
3305
300
    }
3306
    /* Set the sign. */
3307
326
    if (_PyLong_IsNegative(a) && !_PyLong_IsZero(*prem)) {
3308
0
        _PyLong_Negate(prem);
3309
0
        if (*prem == NULL) {
3310
0
            Py_CLEAR(*prem);
3311
0
            return -1;
3312
0
        }
3313
0
    }
3314
326
    return 0;
3315
326
}
3316
3317
/* Unsigned int division with remainder -- the algorithm.  The arguments v1
3318
   and w1 should satisfy 2 <= _PyLong_DigitCount(w1) <= _PyLong_DigitCount(v1). */
3319
3320
static PyLongObject *
3321
x_divrem(PyLongObject *v1, PyLongObject *w1, PyLongObject **prem)
3322
300
{
3323
300
    PyLongObject *v, *w, *a;
3324
300
    Py_ssize_t i, k, size_v, size_w;
3325
300
    int d;
3326
300
    digit wm1, wm2, carry, q, r, vtop, *v0, *vk, *w0, *ak;
3327
300
    twodigits vv;
3328
300
    sdigit zhi;
3329
300
    stwodigits z;
3330
3331
    /* We follow Knuth [The Art of Computer Programming, Vol. 2 (3rd
3332
       edn.), section 4.3.1, Algorithm D], except that we don't explicitly
3333
       handle the special case when the initial estimate q for a quotient
3334
       digit is >= PyLong_BASE: the max value for q is PyLong_BASE+1, and
3335
       that won't overflow a digit. */
3336
3337
    /* allocate space; w will also be used to hold the final remainder */
3338
300
    size_v = _PyLong_DigitCount(v1);
3339
300
    size_w = _PyLong_DigitCount(w1);
3340
300
    assert(size_v >= size_w && size_w >= 2); /* Assert checks by div() */
3341
300
    v = long_alloc(size_v+1);
3342
300
    if (v == NULL) {
3343
0
        *prem = NULL;
3344
0
        return NULL;
3345
0
    }
3346
300
    w = long_alloc(size_w);
3347
300
    if (w == NULL) {
3348
0
        Py_DECREF(v);
3349
0
        *prem = NULL;
3350
0
        return NULL;
3351
0
    }
3352
3353
    /* normalize: shift w1 left so that its top digit is >= PyLong_BASE/2.
3354
       shift v1 left by the same amount.  Results go into w and v. */
3355
300
    d = PyLong_SHIFT - bit_length_digit(w1->long_value.ob_digit[size_w-1]);
3356
300
    carry = v_lshift(w->long_value.ob_digit, w1->long_value.ob_digit, size_w, d);
3357
300
    assert(carry == 0);
3358
300
    carry = v_lshift(v->long_value.ob_digit, v1->long_value.ob_digit, size_v, d);
3359
300
    if (carry != 0 || v->long_value.ob_digit[size_v-1] >= w->long_value.ob_digit[size_w-1]) {
3360
268
        v->long_value.ob_digit[size_v] = carry;
3361
268
        size_v++;
3362
268
    }
3363
3364
    /* Now v->long_value.ob_digit[size_v-1] < w->long_value.ob_digit[size_w-1], so quotient has
3365
       at most (and usually exactly) k = size_v - size_w digits. */
3366
300
    k = size_v - size_w;
3367
300
    assert(k >= 0);
3368
300
    a = long_alloc(k);
3369
300
    if (a == NULL) {
3370
0
        Py_DECREF(w);
3371
0
        Py_DECREF(v);
3372
0
        *prem = NULL;
3373
0
        return NULL;
3374
0
    }
3375
300
    a->long_value.ob_digit[0] = 0;
3376
300
    v0 = v->long_value.ob_digit;
3377
300
    w0 = w->long_value.ob_digit;
3378
300
    wm1 = w0[size_w-1];
3379
300
    wm2 = w0[size_w-2];
3380
924
    for (vk = v0+k, ak = a->long_value.ob_digit + k; vk-- > v0;) {
3381
        /* inner loop: divide vk[0:size_w+1] by w0[0:size_w], giving
3382
           single-digit quotient q, remainder in vk[0:size_w]. */
3383
3384
624
        SIGCHECK({
3385
624
                Py_DECREF(a);
3386
624
                Py_DECREF(w);
3387
624
                Py_DECREF(v);
3388
624
                *prem = NULL;
3389
624
                return NULL;
3390
624
            });
3391
3392
        /* estimate quotient digit q; may overestimate by 1 (rare) */
3393
624
        vtop = vk[size_w];
3394
624
        assert(vtop <= wm1);
3395
624
        vv = ((twodigits)vtop << PyLong_SHIFT) | vk[size_w-1];
3396
        /* The code used to compute the remainder via
3397
         *     r = (digit)(vv - (twodigits)wm1 * q);
3398
         * and compilers generally generated code to do the * and -.
3399
         * But modern processors generally compute q and r with a single
3400
         * instruction, and modern optimizing compilers exploit that if we
3401
         * _don't_ try to optimize it.
3402
         */
3403
624
        q = (digit)(vv / wm1);
3404
624
        r = (digit)(vv % wm1);
3405
624
        while ((twodigits)wm2 * q > (((twodigits)r << PyLong_SHIFT)
3406
624
                                     | vk[size_w-2])) {
3407
200
            --q;
3408
200
            r += wm1;
3409
200
            if (r >= PyLong_BASE)
3410
200
                break;
3411
200
        }
3412
624
        assert(q <= PyLong_BASE);
3413
3414
        /* subtract q*w0[0:size_w] from vk[0:size_w+1] */
3415
624
        zhi = 0;
3416
2.49k
        for (i = 0; i < size_w; ++i) {
3417
            /* invariants: -PyLong_BASE <= -q <= zhi <= 0;
3418
               -PyLong_BASE * q <= z < PyLong_BASE */
3419
1.87k
            z = (sdigit)vk[i] + zhi -
3420
1.87k
                (stwodigits)q * (stwodigits)w0[i];
3421
1.87k
            vk[i] = (digit)z & PyLong_MASK;
3422
1.87k
            zhi = (sdigit)Py_ARITHMETIC_RIGHT_SHIFT(stwodigits,
3423
1.87k
                                                    z, PyLong_SHIFT);
3424
1.87k
        }
3425
3426
        /* add w back if q was too large (this branch taken rarely) */
3427
624
        assert((sdigit)vtop + zhi == -1 || (sdigit)vtop + zhi == 0);
3428
624
        if ((sdigit)vtop + zhi < 0) {
3429
0
            carry = 0;
3430
0
            for (i = 0; i < size_w; ++i) {
3431
0
                carry += vk[i] + w0[i];
3432
0
                vk[i] = carry & PyLong_MASK;
3433
0
                carry >>= PyLong_SHIFT;
3434
0
            }
3435
0
            --q;
3436
0
        }
3437
3438
        /* store quotient digit */
3439
624
        assert(q < PyLong_BASE);
3440
624
        *--ak = q;
3441
624
    }
3442
3443
    /* unshift remainder; we reuse w to store the result */
3444
300
    carry = v_rshift(w0, v0, size_w, d);
3445
300
    assert(carry==0);
3446
300
    Py_DECREF(v);
3447
3448
300
    *prem = long_normalize(w);
3449
300
    return long_normalize(a);
3450
300
}
3451
3452
/* For a nonzero PyLong a, express a in the form x * 2**e, with 0.5 <=
3453
   abs(x) < 1.0 and e >= 0; return x and put e in *e.  Here x is
3454
   rounded to DBL_MANT_DIG significant bits using round-half-to-even.
3455
   If a == 0, return 0.0 and set *e = 0.  */
3456
3457
/* attempt to define 2.0**DBL_MANT_DIG as a compile-time constant */
3458
#if DBL_MANT_DIG == 53
3459
102
#define EXP2_DBL_MANT_DIG 9007199254740992.0
3460
#else
3461
#define EXP2_DBL_MANT_DIG (ldexp(1.0, DBL_MANT_DIG))
3462
#endif
3463
3464
double
3465
_PyLong_Frexp(PyLongObject *a, int64_t *e)
3466
102
{
3467
102
    Py_ssize_t a_size, shift_digits, x_size;
3468
102
    int shift_bits;
3469
102
    int64_t a_bits;
3470
    /* See below for why x_digits is always large enough. */
3471
102
    digit rem;
3472
102
    digit x_digits[2 + (DBL_MANT_DIG + 1) / PyLong_SHIFT] = {0,};
3473
102
    double dx;
3474
    /* Correction term for round-half-to-even rounding.  For a digit x,
3475
       "x + half_even_correction[x & 7]" gives x rounded to the nearest
3476
       multiple of 4, rounding ties to a multiple of 8. */
3477
102
    static const int half_even_correction[8] = {0, -1, -2, 1, 0, -1, 2, 1};
3478
3479
102
    a_size = _PyLong_DigitCount(a);
3480
102
    if (a_size == 0) {
3481
        /* Special case for 0: significand 0.0, exponent 0. */
3482
0
        *e = 0;
3483
0
        return 0.0;
3484
0
    }
3485
102
    a_bits = _PyLong_NumBits((PyObject *)a);
3486
3487
    /* Shift the first DBL_MANT_DIG + 2 bits of a into x_digits[0:x_size]
3488
       (shifting left if a_bits <= DBL_MANT_DIG + 2).
3489
3490
       Number of digits needed for result: write // for floor division.
3491
       Then if shifting left, we end up using
3492
3493
         1 + a_size + (DBL_MANT_DIG + 2 - a_bits) // PyLong_SHIFT
3494
3495
       digits.  If shifting right, we use
3496
3497
         a_size - (a_bits - DBL_MANT_DIG - 2) // PyLong_SHIFT
3498
3499
       digits.  Using a_size = 1 + (a_bits - 1) // PyLong_SHIFT along with
3500
       the inequalities
3501
3502
         m // PyLong_SHIFT + n // PyLong_SHIFT <= (m + n) // PyLong_SHIFT
3503
         m // PyLong_SHIFT - n // PyLong_SHIFT <=
3504
                                          1 + (m - n - 1) // PyLong_SHIFT,
3505
3506
       valid for any integers m and n, we find that x_size satisfies
3507
3508
         x_size <= 2 + (DBL_MANT_DIG + 1) // PyLong_SHIFT
3509
3510
       in both cases.
3511
    */
3512
102
    if (a_bits <= DBL_MANT_DIG + 2) {
3513
102
        shift_digits = (DBL_MANT_DIG + 2 - (Py_ssize_t)a_bits) / PyLong_SHIFT;
3514
102
        shift_bits = (DBL_MANT_DIG + 2 - (int)a_bits) % PyLong_SHIFT;
3515
102
        x_size = shift_digits;
3516
102
        rem = v_lshift(x_digits + x_size, a->long_value.ob_digit, a_size,
3517
102
                       shift_bits);
3518
102
        x_size += a_size;
3519
102
        x_digits[x_size++] = rem;
3520
102
    }
3521
0
    else {
3522
0
        shift_digits = (Py_ssize_t)((a_bits - DBL_MANT_DIG - 2) / PyLong_SHIFT);
3523
0
        shift_bits = (int)((a_bits - DBL_MANT_DIG - 2) % PyLong_SHIFT);
3524
0
        rem = v_rshift(x_digits, a->long_value.ob_digit + shift_digits,
3525
0
                       a_size - shift_digits, shift_bits);
3526
0
        x_size = a_size - shift_digits;
3527
        /* For correct rounding below, we need the least significant
3528
           bit of x to be 'sticky' for this shift: if any of the bits
3529
           shifted out was nonzero, we set the least significant bit
3530
           of x. */
3531
0
        if (rem)
3532
0
            x_digits[0] |= 1;
3533
0
        else
3534
0
            while (shift_digits > 0)
3535
0
                if (a->long_value.ob_digit[--shift_digits]) {
3536
0
                    x_digits[0] |= 1;
3537
0
                    break;
3538
0
                }
3539
0
    }
3540
102
    assert(1 <= x_size && x_size <= (Py_ssize_t)Py_ARRAY_LENGTH(x_digits));
3541
3542
    /* Round, and convert to double. */
3543
102
    x_digits[0] += half_even_correction[x_digits[0] & 7];
3544
102
    dx = x_digits[--x_size];
3545
306
    while (x_size > 0)
3546
204
        dx = dx * PyLong_BASE + x_digits[--x_size];
3547
3548
    /* Rescale;  make correction if result is 1.0. */
3549
102
    dx /= 4.0 * EXP2_DBL_MANT_DIG;
3550
102
    if (dx == 1.0) {
3551
0
        assert(a_bits < INT64_MAX);
3552
0
        dx = 0.5;
3553
0
        a_bits += 1;
3554
0
    }
3555
3556
102
    *e = a_bits;
3557
102
    return _PyLong_IsNegative(a) ? -dx : dx;
3558
102
}
3559
3560
/* Get a C double from an int object.  Rounds to the nearest double,
3561
   using the round-half-to-even rule in the case of a tie. */
3562
3563
double
3564
PyLong_AsDouble(PyObject *v)
3565
2.94M
{
3566
2.94M
    int64_t exponent;
3567
2.94M
    double x;
3568
3569
2.94M
    if (v == NULL) {
3570
0
        PyErr_BadInternalCall();
3571
0
        return -1.0;
3572
0
    }
3573
2.94M
    if (!PyLong_Check(v)) {
3574
0
        PyErr_SetString(PyExc_TypeError, "an integer is required");
3575
0
        return -1.0;
3576
0
    }
3577
2.94M
    if (_PyLong_IsCompact((PyLongObject *)v)) {
3578
        /* Fast path; single digit long (31 bits) will cast safely
3579
           to double.  This improves performance of FP/long operations
3580
           by 20%.
3581
        */
3582
2.94M
        return (double)medium_value((PyLongObject *)v);
3583
2.94M
    }
3584
102
    x = _PyLong_Frexp((PyLongObject *)v, &exponent);
3585
102
    assert(exponent >= 0);
3586
102
    assert(!PyErr_Occurred());
3587
102
    if (exponent > DBL_MAX_EXP) {
3588
0
        PyErr_SetString(PyExc_OverflowError,
3589
0
                        "int too large to convert to float");
3590
0
        return -1.0;
3591
0
    }
3592
102
    return ldexp(x, (int)exponent);
3593
102
}
3594
3595
/* Methods */
3596
3597
/* if a < b, return a negative number
3598
   if a == b, return 0
3599
   if a > b, return a positive number */
3600
3601
static Py_ssize_t
3602
long_compare(PyLongObject *a, PyLongObject *b)
3603
53.0M
{
3604
53.0M
    if (_PyLong_BothAreCompact(a, b)) {
3605
44.1M
        return _PyLong_CompactValue(a) - _PyLong_CompactValue(b);
3606
44.1M
    }
3607
8.92M
    Py_ssize_t sign = _PyLong_SignedDigitCount(a) - _PyLong_SignedDigitCount(b);
3608
8.92M
    if (sign == 0) {
3609
1.39M
        Py_ssize_t i = _PyLong_DigitCount(a);
3610
1.39M
        sdigit diff = 0;
3611
4.12M
        while (--i >= 0) {
3612
2.95M
            diff = (sdigit) a->long_value.ob_digit[i] - (sdigit) b->long_value.ob_digit[i];
3613
2.95M
            if (diff) {
3614
226k
                break;
3615
226k
            }
3616
2.95M
        }
3617
1.39M
        sign = _PyLong_IsNegative(a) ? -diff : diff;
3618
1.39M
    }
3619
8.92M
    return sign;
3620
53.0M
}
3621
3622
static PyObject *
3623
long_richcompare(PyObject *self, PyObject *other, int op)
3624
64.6M
{
3625
64.6M
    Py_ssize_t result;
3626
64.6M
    CHECK_BINOP(self, other);
3627
61.1M
    if (self == other)
3628
8.10M
        result = 0;
3629
53.0M
    else
3630
53.0M
        result = long_compare((PyLongObject*)self, (PyLongObject*)other);
3631
61.1M
    Py_RETURN_RICHCOMPARE(result, 0, op);
3632
61.1M
}
3633
3634
void
3635
_PyLong_ExactDealloc(PyObject *self)
3636
131M
{
3637
131M
    assert(PyLong_CheckExact(self));
3638
131M
    if (_PyLong_IsSmallInt((PyLongObject *)self)) {
3639
        // See PEP 683, section Accidental De-Immortalizing for details
3640
0
        _Py_SetImmortal(self);
3641
0
        return;
3642
0
    }
3643
131M
    if (_PyLong_IsCompact((PyLongObject *)self)) {
3644
123M
        _Py_FREELIST_FREE(ints, self, PyObject_Free);
3645
123M
        return;
3646
123M
    }
3647
7.57M
    PyObject_Free(self);
3648
7.57M
}
3649
3650
static void
3651
long_dealloc(PyObject *self)
3652
717M
{
3653
717M
    if (_PyLong_IsSmallInt((PyLongObject *)self)) {
3654
        /* This should never get called, but we also don't want to SEGV if
3655
         * we accidentally decref small Ints out of existence. Instead,
3656
         * since small Ints are immortal, re-set the reference count.
3657
         *
3658
         * See PEP 683, section Accidental De-Immortalizing for details
3659
         */
3660
0
        _Py_SetImmortal(self);
3661
0
        return;
3662
0
    }
3663
717M
    if (PyLong_CheckExact(self) && _PyLong_IsCompact((PyLongObject *)self)) {
3664
684M
        _Py_FREELIST_FREE(ints, self, PyObject_Free);
3665
684M
        return;
3666
684M
    }
3667
33.2M
    Py_TYPE(self)->tp_free(self);
3668
33.2M
}
3669
3670
static Py_hash_t
3671
long_hash(PyObject *obj)
3672
362M
{
3673
362M
    PyLongObject *v = (PyLongObject *)obj;
3674
362M
    Py_uhash_t x;
3675
362M
    Py_ssize_t i;
3676
362M
    int sign;
3677
3678
362M
    if (_PyLong_IsCompact(v)) {
3679
348M
        x = (Py_uhash_t)_PyLong_CompactValue(v);
3680
348M
        if (x == (Py_uhash_t)-1) {
3681
246k
            x = (Py_uhash_t)-2;
3682
246k
        }
3683
348M
        return x;
3684
348M
    }
3685
14.7M
    i = _PyLong_DigitCount(v);
3686
14.7M
    sign = _PyLong_NonCompactSign(v);
3687
3688
    // unroll first digit
3689
14.7M
    Py_BUILD_ASSERT(PyHASH_BITS > PyLong_SHIFT);
3690
14.7M
    assert(i >= 1);
3691
14.7M
    --i;
3692
14.7M
    x = v->long_value.ob_digit[i];
3693
14.7M
    assert(x < PyHASH_MODULUS);
3694
3695
14.7M
#if PyHASH_BITS >= 2 * PyLong_SHIFT
3696
    // unroll second digit
3697
14.7M
    assert(i >= 1);
3698
14.7M
    --i;
3699
14.7M
    x <<= PyLong_SHIFT;
3700
14.7M
    x += v->long_value.ob_digit[i];
3701
14.7M
    assert(x < PyHASH_MODULUS);
3702
14.7M
#endif
3703
3704
17.0M
    while (--i >= 0) {
3705
        /* Here x is a quantity in the range [0, PyHASH_MODULUS); we
3706
           want to compute x * 2**PyLong_SHIFT + v->long_value.ob_digit[i] modulo
3707
           PyHASH_MODULUS.
3708
3709
           The computation of x * 2**PyLong_SHIFT % PyHASH_MODULUS
3710
           amounts to a rotation of the bits of x.  To see this, write
3711
3712
             x * 2**PyLong_SHIFT = y * 2**PyHASH_BITS + z
3713
3714
           where y = x >> (PyHASH_BITS - PyLong_SHIFT) gives the top
3715
           PyLong_SHIFT bits of x (those that are shifted out of the
3716
           original PyHASH_BITS bits, and z = (x << PyLong_SHIFT) &
3717
           PyHASH_MODULUS gives the bottom PyHASH_BITS - PyLong_SHIFT
3718
           bits of x, shifted up.  Then since 2**PyHASH_BITS is
3719
           congruent to 1 modulo PyHASH_MODULUS, y*2**PyHASH_BITS is
3720
           congruent to y modulo PyHASH_MODULUS.  So
3721
3722
             x * 2**PyLong_SHIFT = y + z (mod PyHASH_MODULUS).
3723
3724
           The right-hand side is just the result of rotating the
3725
           PyHASH_BITS bits of x left by PyLong_SHIFT places; since
3726
           not all PyHASH_BITS bits of x are 1s, the same is true
3727
           after rotation, so 0 <= y+z < PyHASH_MODULUS and y + z is
3728
           the reduction of x*2**PyLong_SHIFT modulo
3729
           PyHASH_MODULUS. */
3730
2.27M
        x = ((x << PyLong_SHIFT) & PyHASH_MODULUS) |
3731
2.27M
            (x >> (PyHASH_BITS - PyLong_SHIFT));
3732
2.27M
        x += v->long_value.ob_digit[i];
3733
2.27M
        if (x >= PyHASH_MODULUS)
3734
28.0k
            x -= PyHASH_MODULUS;
3735
2.27M
    }
3736
14.7M
    x = x * sign;
3737
14.7M
    if (x == (Py_uhash_t)-1)
3738
8
        x = (Py_uhash_t)-2;
3739
14.7M
    return (Py_hash_t)x;
3740
362M
}
3741
3742
3743
/* Add the absolute values of two integers. */
3744
3745
static PyLongObject *
3746
x_add(PyLongObject *a, PyLongObject *b)
3747
7.16M
{
3748
7.16M
    Py_ssize_t size_a = _PyLong_DigitCount(a), size_b = _PyLong_DigitCount(b);
3749
7.16M
    PyLongObject *z;
3750
7.16M
    Py_ssize_t i;
3751
7.16M
    digit carry = 0;
3752
3753
    /* Ensure a is the larger of the two: */
3754
7.16M
    if (size_a < size_b) {
3755
45.8k
        { PyLongObject *temp = a; a = b; b = temp; }
3756
45.8k
        { Py_ssize_t size_temp = size_a;
3757
45.8k
            size_a = size_b;
3758
45.8k
            size_b = size_temp; }
3759
45.8k
    }
3760
7.16M
    z = long_alloc(size_a+1);
3761
7.16M
    if (z == NULL)
3762
0
        return NULL;
3763
15.4M
    for (i = 0; i < size_b; ++i) {
3764
8.27M
        carry += a->long_value.ob_digit[i] + b->long_value.ob_digit[i];
3765
8.27M
        z->long_value.ob_digit[i] = carry & PyLong_MASK;
3766
8.27M
        carry >>= PyLong_SHIFT;
3767
8.27M
    }
3768
18.6M
    for (; i < size_a; ++i) {
3769
11.4M
        carry += a->long_value.ob_digit[i];
3770
11.4M
        z->long_value.ob_digit[i] = carry & PyLong_MASK;
3771
11.4M
        carry >>= PyLong_SHIFT;
3772
11.4M
    }
3773
7.16M
    z->long_value.ob_digit[i] = carry;
3774
7.16M
    return long_normalize(z);
3775
7.16M
}
3776
3777
/* Subtract the absolute values of two integers. */
3778
3779
static PyLongObject *
3780
x_sub(PyLongObject *a, PyLongObject *b)
3781
761k
{
3782
761k
    Py_ssize_t size_a = _PyLong_DigitCount(a), size_b = _PyLong_DigitCount(b);
3783
761k
    PyLongObject *z;
3784
761k
    Py_ssize_t i;
3785
761k
    int sign = 1;
3786
761k
    digit borrow = 0;
3787
3788
    /* Ensure a is the larger of the two: */
3789
761k
    if (size_a < size_b) {
3790
34.8k
        sign = -1;
3791
34.8k
        { PyLongObject *temp = a; a = b; b = temp; }
3792
34.8k
        { Py_ssize_t size_temp = size_a;
3793
34.8k
            size_a = size_b;
3794
34.8k
            size_b = size_temp; }
3795
34.8k
    }
3796
727k
    else if (size_a == size_b) {
3797
        /* Find highest digit where a and b differ: */
3798
662k
        i = size_a;
3799
669k
        while (--i >= 0 && a->long_value.ob_digit[i] == b->long_value.ob_digit[i])
3800
7.47k
            ;
3801
662k
        if (i < 0)
3802
1.68k
            return (PyLongObject *)PyLong_FromLong(0);
3803
660k
        if (a->long_value.ob_digit[i] < b->long_value.ob_digit[i]) {
3804
2.91k
            sign = -1;
3805
2.91k
            { PyLongObject *temp = a; a = b; b = temp; }
3806
2.91k
        }
3807
660k
        size_a = size_b = i+1;
3808
660k
    }
3809
760k
    z = long_alloc(size_a);
3810
760k
    if (z == NULL)
3811
0
        return NULL;
3812
2.15M
    for (i = 0; i < size_b; ++i) {
3813
        /* The following assumes unsigned arithmetic
3814
           works module 2**N for some N>PyLong_SHIFT. */
3815
1.39M
        borrow = a->long_value.ob_digit[i] - b->long_value.ob_digit[i] - borrow;
3816
1.39M
        z->long_value.ob_digit[i] = borrow & PyLong_MASK;
3817
1.39M
        borrow >>= PyLong_SHIFT;
3818
1.39M
        borrow &= 1; /* Keep only one sign bit */
3819
1.39M
    }
3820
905k
    for (; i < size_a; ++i) {
3821
145k
        borrow = a->long_value.ob_digit[i] - borrow;
3822
145k
        z->long_value.ob_digit[i] = borrow & PyLong_MASK;
3823
145k
        borrow >>= PyLong_SHIFT;
3824
145k
        borrow &= 1; /* Keep only one sign bit */
3825
145k
    }
3826
760k
    assert(borrow == 0);
3827
760k
    if (sign < 0) {
3828
37.7k
        _PyLong_FlipSign(z);
3829
37.7k
    }
3830
760k
    return maybe_small_long(long_normalize(z));
3831
760k
}
3832
3833
static PyLongObject *
3834
long_add(PyLongObject *a, PyLongObject *b)
3835
15.8M
{
3836
15.8M
    if (_PyLong_BothAreCompact(a, b)) {
3837
8.67M
        stwodigits z = medium_value(a) + medium_value(b);
3838
8.67M
        return _PyLong_FromSTwoDigits(z);
3839
8.67M
    }
3840
3841
7.20M
    PyLongObject *z;
3842
7.20M
    if (_PyLong_IsNegative(a)) {
3843
1.86k
        if (_PyLong_IsNegative(b)) {
3844
560
            z = x_add(a, b);
3845
560
            if (z != NULL) {
3846
                /* x_add received at least one multiple-digit int,
3847
                   and thus z must be a multiple-digit int.
3848
                   That also means z is not an element of
3849
                   small_ints, so negating it in-place is safe. */
3850
560
                assert(Py_REFCNT(z) == 1);
3851
560
                _PyLong_FlipSign(z);
3852
560
            }
3853
560
        }
3854
1.30k
        else
3855
1.30k
            z = x_sub(b, a);
3856
1.86k
    }
3857
7.20M
    else {
3858
7.20M
        if (_PyLong_IsNegative(b))
3859
48.4k
            z = x_sub(a, b);
3860
7.15M
        else
3861
7.15M
            z = x_add(a, b);
3862
7.20M
    }
3863
7.20M
    return z;
3864
15.8M
}
3865
3866
_PyStackRef
3867
_PyCompactLong_Add(PyLongObject *a, PyLongObject *b)
3868
446M
{
3869
446M
    assert(_PyLong_BothAreCompact(a, b));
3870
446M
    stwodigits v = medium_value(a) + medium_value(b);
3871
446M
    return medium_from_stwodigits(v);
3872
446M
}
3873
3874
static PyObject *
3875
long_add_method(PyObject *a, PyObject *b)
3876
15.9M
{
3877
15.9M
    CHECK_BINOP(a, b);
3878
15.8M
    return (PyObject*)long_add((PyLongObject*)a, (PyLongObject*)b);
3879
15.9M
}
3880
3881
3882
static PyLongObject *
3883
long_sub(PyLongObject *a, PyLongObject *b)
3884
722k
{
3885
722k
    if (_PyLong_BothAreCompact(a, b)) {
3886
10.5k
        return _PyLong_FromSTwoDigits(medium_value(a) - medium_value(b));
3887
10.5k
    }
3888
3889
712k
    PyLongObject *z;
3890
712k
    if (_PyLong_IsNegative(a)) {
3891
101
        if (_PyLong_IsNegative(b)) {
3892
0
            z = x_sub(b, a);
3893
0
        }
3894
101
        else {
3895
101
            z = x_add(a, b);
3896
101
            if (z != NULL) {
3897
101
                assert(_PyLong_IsZero(z) || Py_REFCNT(z) == 1);
3898
101
                _PyLong_FlipSign(z);
3899
101
            }
3900
101
        }
3901
101
    }
3902
712k
    else {
3903
712k
        if (_PyLong_IsNegative(b))
3904
0
            z = x_add(a, b);
3905
712k
        else
3906
712k
            z = x_sub(a, b);
3907
712k
    }
3908
712k
    return z;
3909
722k
}
3910
3911
_PyStackRef
3912
_PyCompactLong_Subtract(PyLongObject *a, PyLongObject *b)
3913
122M
{
3914
122M
    assert(_PyLong_BothAreCompact(a, b));
3915
122M
    stwodigits v = medium_value(a) - medium_value(b);
3916
122M
    return medium_from_stwodigits(v);
3917
122M
}
3918
3919
static PyObject *
3920
long_sub_method(PyObject *a, PyObject *b)
3921
722k
{
3922
722k
    CHECK_BINOP(a, b);
3923
722k
    return (PyObject*)long_sub((PyLongObject*)a, (PyLongObject*)b);
3924
722k
}
3925
3926
3927
/* Grade school multiplication, ignoring the signs.
3928
 * Returns the absolute value of the product, or NULL if error.
3929
 */
3930
static PyLongObject *
3931
x_mul(PyLongObject *a, PyLongObject *b)
3932
798k
{
3933
798k
    PyLongObject *z;
3934
798k
    Py_ssize_t size_a = _PyLong_DigitCount(a);
3935
798k
    Py_ssize_t size_b = _PyLong_DigitCount(b);
3936
798k
    Py_ssize_t i;
3937
3938
798k
    z = long_alloc(size_a + size_b);
3939
798k
    if (z == NULL)
3940
0
        return NULL;
3941
3942
798k
    memset(z->long_value.ob_digit, 0, _PyLong_DigitCount(z) * sizeof(digit));
3943
798k
    if (a == b) {
3944
        /* Efficient squaring per HAC, Algorithm 14.16:
3945
         * https://cacr.uwaterloo.ca/hac/about/chap14.pdf
3946
         * Gives slightly less than a 2x speedup when a == b,
3947
         * via exploiting that each entry in the multiplication
3948
         * pyramid appears twice (except for the size_a squares).
3949
         */
3950
20.1k
        digit *paend = a->long_value.ob_digit + size_a;
3951
60.6k
        for (i = 0; i < size_a; ++i) {
3952
40.4k
            twodigits carry;
3953
40.4k
            twodigits f = a->long_value.ob_digit[i];
3954
40.4k
            digit *pz = z->long_value.ob_digit + (i << 1);
3955
40.4k
            digit *pa = a->long_value.ob_digit + i + 1;
3956
3957
40.4k
            SIGCHECK({
3958
40.4k
                    Py_DECREF(z);
3959
40.4k
                    return NULL;
3960
40.4k
                });
3961
3962
40.4k
            carry = *pz + f * f;
3963
40.4k
            *pz++ = (digit)(carry & PyLong_MASK);
3964
40.4k
            carry >>= PyLong_SHIFT;
3965
40.4k
            assert(carry <= PyLong_MASK);
3966
3967
            /* Now f is added in twice in each column of the
3968
             * pyramid it appears.  Same as adding f<<1 once.
3969
             */
3970
40.4k
            f <<= 1;
3971
60.8k
            while (pa < paend) {
3972
20.3k
                carry += *pz + *pa++ * f;
3973
20.3k
                *pz++ = (digit)(carry & PyLong_MASK);
3974
20.3k
                carry >>= PyLong_SHIFT;
3975
20.3k
                assert(carry <= (PyLong_MASK << 1));
3976
20.3k
            }
3977
40.4k
            if (carry) {
3978
                /* See comment below. pz points at the highest possible
3979
                 * carry position from the last outer loop iteration, so
3980
                 * *pz is at most 1.
3981
                 */
3982
380
                assert(*pz <= 1);
3983
380
                carry += *pz;
3984
380
                *pz = (digit)(carry & PyLong_MASK);
3985
380
                carry >>= PyLong_SHIFT;
3986
380
                if (carry) {
3987
                    /* If there's still a carry, it must be into a position
3988
                     * that still holds a 0. Where the base
3989
                     ^ B is 1 << PyLong_SHIFT, the last add was of a carry no
3990
                     * more than 2*B - 2 to a stored digit no more than 1.
3991
                     * So the sum was no more than 2*B - 1, so the current
3992
                     * carry no more than floor((2*B - 1)/B) = 1.
3993
                     */
3994
24
                    assert(carry == 1);
3995
24
                    assert(pz[1] == 0);
3996
24
                    pz[1] = (digit)carry;
3997
24
                }
3998
380
            }
3999
40.4k
        }
4000
20.1k
    }
4001
777k
    else {      /* a is not the same as b -- gradeschool int mult */
4002
1.56M
        for (i = 0; i < size_a; ++i) {
4003
784k
            twodigits carry = 0;
4004
784k
            twodigits f = a->long_value.ob_digit[i];
4005
784k
            digit *pz = z->long_value.ob_digit + i;
4006
784k
            digit *pb = b->long_value.ob_digit;
4007
784k
            digit *pbend = b->long_value.ob_digit + size_b;
4008
4009
784k
            SIGCHECK({
4010
784k
                    Py_DECREF(z);
4011
784k
                    return NULL;
4012
784k
                });
4013
4014
4.63M
            while (pb < pbend) {
4015
3.85M
                carry += *pz + *pb++ * f;
4016
3.85M
                *pz++ = (digit)(carry & PyLong_MASK);
4017
3.85M
                carry >>= PyLong_SHIFT;
4018
3.85M
                assert(carry <= PyLong_MASK);
4019
3.85M
            }
4020
784k
            if (carry)
4021
5.70k
                *pz += (digit)(carry & PyLong_MASK);
4022
784k
            assert((carry >> PyLong_SHIFT) == 0);
4023
784k
        }
4024
777k
    }
4025
798k
    return long_normalize(z);
4026
798k
}
4027
4028
/* A helper for Karatsuba multiplication (k_mul).
4029
   Takes an int "n" and an integer "size" representing the place to
4030
   split, and sets low and high such that abs(n) == (high << size) + low,
4031
   viewing the shift as being by digits.  The sign bit is ignored, and
4032
   the return values are >= 0.
4033
   Returns 0 on success, -1 on failure.
4034
*/
4035
static int
4036
kmul_split(PyLongObject *n,
4037
           Py_ssize_t size,
4038
           PyLongObject **high,
4039
           PyLongObject **low)
4040
0
{
4041
0
    PyLongObject *hi, *lo;
4042
0
    Py_ssize_t size_lo, size_hi;
4043
0
    const Py_ssize_t size_n = _PyLong_DigitCount(n);
4044
4045
0
    size_lo = Py_MIN(size_n, size);
4046
0
    size_hi = size_n - size_lo;
4047
4048
0
    if ((hi = long_alloc(size_hi)) == NULL)
4049
0
        return -1;
4050
0
    if ((lo = long_alloc(size_lo)) == NULL) {
4051
0
        Py_DECREF(hi);
4052
0
        return -1;
4053
0
    }
4054
4055
0
    memcpy(lo->long_value.ob_digit, n->long_value.ob_digit, size_lo * sizeof(digit));
4056
0
    memcpy(hi->long_value.ob_digit, n->long_value.ob_digit + size_lo, size_hi * sizeof(digit));
4057
4058
0
    *high = long_normalize(hi);
4059
0
    *low = long_normalize(lo);
4060
0
    return 0;
4061
0
}
4062
4063
static PyLongObject *k_lopsided_mul(PyLongObject *a, PyLongObject *b);
4064
4065
/* Karatsuba multiplication.  Ignores the input signs, and returns the
4066
 * absolute value of the product (or NULL if error).
4067
 * See Knuth Vol. 2 Chapter 4.3.3 (Pp. 294-295).
4068
 */
4069
static PyLongObject *
4070
k_mul(PyLongObject *a, PyLongObject *b)
4071
798k
{
4072
798k
    Py_ssize_t asize = _PyLong_DigitCount(a);
4073
798k
    Py_ssize_t bsize = _PyLong_DigitCount(b);
4074
798k
    PyLongObject *ah = NULL;
4075
798k
    PyLongObject *al = NULL;
4076
798k
    PyLongObject *bh = NULL;
4077
798k
    PyLongObject *bl = NULL;
4078
798k
    PyLongObject *ret = NULL;
4079
798k
    PyLongObject *t1, *t2, *t3;
4080
798k
    Py_ssize_t shift;           /* the number of digits we split off */
4081
798k
    Py_ssize_t i;
4082
4083
    /* (ah*X+al)(bh*X+bl) = ah*bh*X*X + (ah*bl + al*bh)*X + al*bl
4084
     * Let k = (ah+al)*(bh+bl) = ah*bl + al*bh  + ah*bh + al*bl
4085
     * Then the original product is
4086
     *     ah*bh*X*X + (k - ah*bh - al*bl)*X + al*bl
4087
     * By picking X to be a power of 2, "*X" is just shifting, and it's
4088
     * been reduced to 3 multiplies on numbers half the size.
4089
     */
4090
4091
    /* We want to split based on the larger number; fiddle so that b
4092
     * is largest.
4093
     */
4094
798k
    if (asize > bsize) {
4095
752k
        t1 = a;
4096
752k
        a = b;
4097
752k
        b = t1;
4098
4099
752k
        i = asize;
4100
752k
        asize = bsize;
4101
752k
        bsize = i;
4102
752k
    }
4103
4104
    /* Use gradeschool math when either number is too small. */
4105
798k
    i = a == b ? KARATSUBA_SQUARE_CUTOFF : KARATSUBA_CUTOFF;
4106
798k
    if (asize <= i) {
4107
798k
        if (asize == 0)
4108
461
            return (PyLongObject *)PyLong_FromLong(0);
4109
798k
        else
4110
798k
            return x_mul(a, b);
4111
798k
    }
4112
4113
    /* If a is small compared to b, splitting on b gives a degenerate
4114
     * case with ah==0, and Karatsuba may be (even much) less efficient
4115
     * than "grade school" then.  However, we can still win, by viewing
4116
     * b as a string of "big digits", each of the same width as a. That
4117
     * leads to a sequence of balanced calls to k_mul.
4118
     */
4119
0
    if (2 * asize <= bsize)
4120
0
        return k_lopsided_mul(a, b);
4121
4122
    /* Split a & b into hi & lo pieces. */
4123
0
    shift = bsize >> 1;
4124
0
    if (kmul_split(a, shift, &ah, &al) < 0) goto fail;
4125
0
    assert(_PyLong_IsPositive(ah));        /* the split isn't degenerate */
4126
4127
0
    if (a == b) {
4128
0
        bh = (PyLongObject*)Py_NewRef(ah);
4129
0
        bl = (PyLongObject*)Py_NewRef(al);
4130
0
    }
4131
0
    else if (kmul_split(b, shift, &bh, &bl) < 0) goto fail;
4132
4133
    /* The plan:
4134
     * 1. Allocate result space (asize + bsize digits:  that's always
4135
     *    enough).
4136
     * 2. Compute ah*bh, and copy into result at 2*shift.
4137
     * 3. Compute al*bl, and copy into result at 0.  Note that this
4138
     *    can't overlap with #2.
4139
     * 4. Subtract al*bl from the result, starting at shift.  This may
4140
     *    underflow (borrow out of the high digit), but we don't care:
4141
     *    we're effectively doing unsigned arithmetic mod
4142
     *    BASE**(sizea + sizeb), and so long as the *final* result fits,
4143
     *    borrows and carries out of the high digit can be ignored.
4144
     * 5. Subtract ah*bh from the result, starting at shift.
4145
     * 6. Compute (ah+al)*(bh+bl), and add it into the result starting
4146
     *    at shift.
4147
     */
4148
4149
    /* 1. Allocate result space. */
4150
0
    ret = long_alloc(asize + bsize);
4151
0
    if (ret == NULL) goto fail;
4152
4153
    /* 2. t1 <- ah*bh, and copy into high digits of result. */
4154
0
    if ((t1 = k_mul(ah, bh)) == NULL) goto fail;
4155
0
    assert(!_PyLong_IsNegative(t1));
4156
0
    assert(2*shift + _PyLong_DigitCount(t1) <= _PyLong_DigitCount(ret));
4157
0
    memcpy(ret->long_value.ob_digit + 2*shift, t1->long_value.ob_digit,
4158
0
           _PyLong_DigitCount(t1) * sizeof(digit));
4159
4160
    /* Zero-out the digits higher than the ah*bh copy. */
4161
0
    i = _PyLong_DigitCount(ret) - 2*shift - _PyLong_DigitCount(t1);
4162
0
    if (i)
4163
0
        memset(ret->long_value.ob_digit + 2*shift + _PyLong_DigitCount(t1), 0,
4164
0
               i * sizeof(digit));
4165
4166
    /* 3. t2 <- al*bl, and copy into the low digits. */
4167
0
    if ((t2 = k_mul(al, bl)) == NULL) {
4168
0
        Py_DECREF(t1);
4169
0
        goto fail;
4170
0
    }
4171
0
    assert(!_PyLong_IsNegative(t2));
4172
0
    assert(_PyLong_DigitCount(t2) <= 2*shift); /* no overlap with high digits */
4173
0
    memcpy(ret->long_value.ob_digit, t2->long_value.ob_digit, _PyLong_DigitCount(t2) * sizeof(digit));
4174
4175
    /* Zero out remaining digits. */
4176
0
    i = 2*shift - _PyLong_DigitCount(t2);          /* number of uninitialized digits */
4177
0
    if (i)
4178
0
        memset(ret->long_value.ob_digit + _PyLong_DigitCount(t2), 0, i * sizeof(digit));
4179
4180
    /* 4 & 5. Subtract ah*bh (t1) and al*bl (t2).  We do al*bl first
4181
     * because it's fresher in cache.
4182
     */
4183
0
    i = _PyLong_DigitCount(ret) - shift;  /* # digits after shift */
4184
0
    (void)v_isub(ret->long_value.ob_digit + shift, i, t2->long_value.ob_digit, _PyLong_DigitCount(t2));
4185
0
    _Py_DECREF_INT(t2);
4186
4187
0
    (void)v_isub(ret->long_value.ob_digit + shift, i, t1->long_value.ob_digit, _PyLong_DigitCount(t1));
4188
0
    _Py_DECREF_INT(t1);
4189
4190
    /* 6. t3 <- (ah+al)(bh+bl), and add into result. */
4191
0
    if ((t1 = x_add(ah, al)) == NULL) goto fail;
4192
0
    _Py_DECREF_INT(ah);
4193
0
    _Py_DECREF_INT(al);
4194
0
    ah = al = NULL;
4195
4196
0
    if (a == b) {
4197
0
        t2 = (PyLongObject*)Py_NewRef(t1);
4198
0
    }
4199
0
    else if ((t2 = x_add(bh, bl)) == NULL) {
4200
0
        Py_DECREF(t1);
4201
0
        goto fail;
4202
0
    }
4203
0
    _Py_DECREF_INT(bh);
4204
0
    _Py_DECREF_INT(bl);
4205
0
    bh = bl = NULL;
4206
4207
0
    t3 = k_mul(t1, t2);
4208
0
    _Py_DECREF_INT(t1);
4209
0
    _Py_DECREF_INT(t2);
4210
0
    if (t3 == NULL) goto fail;
4211
0
    assert(!_PyLong_IsNegative(t3));
4212
4213
    /* Add t3.  It's not obvious why we can't run out of room here.
4214
     * See the (*) comment after this function.
4215
     */
4216
0
    (void)v_iadd(ret->long_value.ob_digit + shift, i, t3->long_value.ob_digit, _PyLong_DigitCount(t3));
4217
0
    _Py_DECREF_INT(t3);
4218
4219
0
    return long_normalize(ret);
4220
4221
0
  fail:
4222
0
    Py_XDECREF(ret);
4223
0
    Py_XDECREF(ah);
4224
0
    Py_XDECREF(al);
4225
0
    Py_XDECREF(bh);
4226
0
    Py_XDECREF(bl);
4227
0
    return NULL;
4228
0
}
4229
4230
/* (*) Why adding t3 can't "run out of room" above.
4231
4232
Let f(x) mean the floor of x and c(x) mean the ceiling of x.  Some facts
4233
to start with:
4234
4235
1. For any integer i, i = c(i/2) + f(i/2).  In particular,
4236
   bsize = c(bsize/2) + f(bsize/2).
4237
2. shift = f(bsize/2)
4238
3. asize <= bsize
4239
4. Since we call k_lopsided_mul if asize*2 <= bsize, asize*2 > bsize in this
4240
   routine, so asize > bsize/2 >= f(bsize/2) in this routine.
4241
4242
We allocated asize + bsize result digits, and add t3 into them at an offset
4243
of shift.  This leaves asize+bsize-shift allocated digit positions for t3
4244
to fit into, = (by #1 and #2) asize + f(bsize/2) + c(bsize/2) - f(bsize/2) =
4245
asize + c(bsize/2) available digit positions.
4246
4247
bh has c(bsize/2) digits, and bl at most f(size/2) digits.  So bh+hl has
4248
at most c(bsize/2) digits + 1 bit.
4249
4250
If asize == bsize, ah has c(bsize/2) digits, else ah has at most f(bsize/2)
4251
digits, and al has at most f(bsize/2) digits in any case.  So ah+al has at
4252
most (asize == bsize ? c(bsize/2) : f(bsize/2)) digits + 1 bit.
4253
4254
The product (ah+al)*(bh+bl) therefore has at most
4255
4256
    c(bsize/2) + (asize == bsize ? c(bsize/2) : f(bsize/2)) digits + 2 bits
4257
4258
and we have asize + c(bsize/2) available digit positions.  We need to show
4259
this is always enough.  An instance of c(bsize/2) cancels out in both, so
4260
the question reduces to whether asize digits is enough to hold
4261
(asize == bsize ? c(bsize/2) : f(bsize/2)) digits + 2 bits.  If asize < bsize,
4262
then we're asking whether asize digits >= f(bsize/2) digits + 2 bits.  By #4,
4263
asize is at least f(bsize/2)+1 digits, so this in turn reduces to whether 1
4264
digit is enough to hold 2 bits.  This is so since PyLong_SHIFT=15 >= 2.  If
4265
asize == bsize, then we're asking whether bsize digits is enough to hold
4266
c(bsize/2) digits + 2 bits, or equivalently (by #1) whether f(bsize/2) digits
4267
is enough to hold 2 bits.  This is so if bsize >= 2, which holds because
4268
bsize >= KARATSUBA_CUTOFF >= 2.
4269
4270
Note that since there's always enough room for (ah+al)*(bh+bl), and that's
4271
clearly >= each of ah*bh and al*bl, there's always enough room to subtract
4272
ah*bh and al*bl too.
4273
*/
4274
4275
/* b has at least twice the digits of a, and a is big enough that Karatsuba
4276
 * would pay off *if* the inputs had balanced sizes.  View b as a sequence
4277
 * of slices, each with the same number of digits as a, and multiply the
4278
 * slices by a, one at a time.  This gives k_mul balanced inputs to work with,
4279
 * and is also cache-friendly (we compute one double-width slice of the result
4280
 * at a time, then move on, never backtracking except for the helpful
4281
 * single-width slice overlap between successive partial sums).
4282
 */
4283
static PyLongObject *
4284
k_lopsided_mul(PyLongObject *a, PyLongObject *b)
4285
0
{
4286
0
    const Py_ssize_t asize = _PyLong_DigitCount(a);
4287
0
    Py_ssize_t bsize = _PyLong_DigitCount(b);
4288
0
    Py_ssize_t nbdone;          /* # of b digits already multiplied */
4289
0
    PyLongObject *ret;
4290
0
    PyLongObject *bslice = NULL;
4291
4292
0
    assert(asize > KARATSUBA_CUTOFF);
4293
0
    assert(2 * asize <= bsize);
4294
4295
    /* Allocate result space, and zero it out. */
4296
0
    ret = long_alloc(asize + bsize);
4297
0
    if (ret == NULL)
4298
0
        return NULL;
4299
0
    memset(ret->long_value.ob_digit, 0, _PyLong_DigitCount(ret) * sizeof(digit));
4300
4301
    /* Successive slices of b are copied into bslice. */
4302
0
    bslice = long_alloc(asize);
4303
0
    if (bslice == NULL)
4304
0
        goto fail;
4305
4306
0
    nbdone = 0;
4307
0
    while (bsize > 0) {
4308
0
        PyLongObject *product;
4309
0
        const Py_ssize_t nbtouse = Py_MIN(bsize, asize);
4310
4311
        /* Multiply the next slice of b by a. */
4312
0
        memcpy(bslice->long_value.ob_digit, b->long_value.ob_digit + nbdone,
4313
0
               nbtouse * sizeof(digit));
4314
0
        assert(nbtouse >= 0);
4315
0
        _PyLong_SetSignAndDigitCount(bslice, 1, nbtouse);
4316
0
        product = k_mul(a, bslice);
4317
0
        if (product == NULL)
4318
0
            goto fail;
4319
4320
        /* Add into result. */
4321
0
        (void)v_iadd(ret->long_value.ob_digit + nbdone, _PyLong_DigitCount(ret) - nbdone,
4322
0
                     product->long_value.ob_digit, _PyLong_DigitCount(product));
4323
0
        _Py_DECREF_INT(product);
4324
4325
0
        bsize -= nbtouse;
4326
0
        nbdone += nbtouse;
4327
0
    }
4328
4329
0
    _Py_DECREF_INT(bslice);
4330
0
    return long_normalize(ret);
4331
4332
0
  fail:
4333
0
    Py_DECREF(ret);
4334
0
    Py_XDECREF(bslice);
4335
0
    return NULL;
4336
0
}
4337
4338
4339
static PyLongObject*
4340
long_mul(PyLongObject *a, PyLongObject *b)
4341
13.2M
{
4342
    /* fast path for single-digit multiplication */
4343
13.2M
    if (_PyLong_BothAreCompact(a, b)) {
4344
12.4M
        stwodigits v = medium_value(a) * medium_value(b);
4345
12.4M
        return _PyLong_FromSTwoDigits(v);
4346
12.4M
    }
4347
4348
798k
    PyLongObject *z = k_mul(a, b);
4349
    /* Negate if exactly one of the inputs is negative. */
4350
798k
    if (!_PyLong_SameSign(a, b) && z) {
4351
679
        _PyLong_Negate(&z);
4352
679
    }
4353
798k
    return z;
4354
13.2M
}
4355
4356
/* This function returns NULL if the result is not compact,
4357
 * or if it fails to allocate, but never raises */
4358
_PyStackRef
4359
_PyCompactLong_Multiply(PyLongObject *a, PyLongObject *b)
4360
4.51M
{
4361
4.51M
    assert(_PyLong_BothAreCompact(a, b));
4362
4.51M
    stwodigits v = medium_value(a) * medium_value(b);
4363
4.51M
    return medium_from_stwodigits(v);
4364
4.51M
}
4365
4366
static PyObject *
4367
long_mul_method(PyObject *a, PyObject *b)
4368
2.63M
{
4369
2.63M
    CHECK_BINOP(a, b);
4370
2.00M
    return (PyObject*)long_mul((PyLongObject*)a, (PyLongObject*)b);
4371
2.63M
}
4372
4373
/* Fast modulo division for single-digit longs. */
4374
static PyObject *
4375
fast_mod(PyLongObject *a, PyLongObject *b)
4376
16.3M
{
4377
16.3M
    sdigit left = a->long_value.ob_digit[0];
4378
16.3M
    sdigit right = b->long_value.ob_digit[0];
4379
16.3M
    sdigit mod;
4380
4381
16.3M
    assert(_PyLong_DigitCount(a) == 1);
4382
16.3M
    assert(_PyLong_DigitCount(b) == 1);
4383
16.3M
    sdigit sign = _PyLong_CompactSign(b);
4384
16.3M
    if (_PyLong_SameSign(a, b)) {
4385
16.3M
        mod = left % right;
4386
16.3M
    }
4387
4
    else {
4388
        /* Either 'a' or 'b' is negative. */
4389
4
        mod = right - 1 - (left - 1) % right;
4390
4
    }
4391
4392
16.3M
    return PyLong_FromLong(mod * sign);
4393
16.3M
}
4394
4395
/* Fast floor division for single-digit longs. */
4396
static PyObject *
4397
fast_floor_div(PyLongObject *a, PyLongObject *b)
4398
23.6M
{
4399
23.6M
    sdigit left = a->long_value.ob_digit[0];
4400
23.6M
    sdigit right = b->long_value.ob_digit[0];
4401
23.6M
    sdigit div;
4402
4403
23.6M
    assert(_PyLong_DigitCount(a) == 1);
4404
23.6M
    assert(_PyLong_DigitCount(b) == 1);
4405
4406
23.6M
    if (_PyLong_SameSign(a, b)) {
4407
23.6M
        div = left / right;
4408
23.6M
    }
4409
32
    else {
4410
        /* Either 'a' or 'b' is negative. */
4411
32
        div = -1 - (left - 1) / right;
4412
32
    }
4413
4414
23.6M
    return PyLong_FromLong(div);
4415
23.6M
}
4416
4417
#ifdef WITH_PYLONG_MODULE
4418
/* asymptotically faster divmod, using _pylong.py */
4419
static int
4420
pylong_int_divmod(PyLongObject *v, PyLongObject *w,
4421
                  PyLongObject **pdiv, PyLongObject **pmod)
4422
0
{
4423
0
    PyObject *mod = PyImport_ImportModule("_pylong");
4424
0
    if (mod == NULL) {
4425
0
        return -1;
4426
0
    }
4427
0
    PyObject *result = PyObject_CallMethod(mod, "int_divmod", "OO", v, w);
4428
0
    Py_DECREF(mod);
4429
0
    if (result == NULL) {
4430
0
        return -1;
4431
0
    }
4432
0
    if (!PyTuple_Check(result) || PyTuple_GET_SIZE(result) != 2) {
4433
0
        Py_DECREF(result);
4434
0
        PyErr_SetString(PyExc_ValueError,
4435
0
                        "tuple of length 2 is required from int_divmod()");
4436
0
        return -1;
4437
0
    }
4438
0
    PyObject *q = PyTuple_GET_ITEM(result, 0);
4439
0
    PyObject *r = PyTuple_GET_ITEM(result, 1);
4440
0
    if (!PyLong_Check(q) || !PyLong_Check(r)) {
4441
0
        Py_DECREF(result);
4442
0
        PyErr_SetString(PyExc_ValueError,
4443
0
                        "tuple of int is required from int_divmod()");
4444
0
        return -1;
4445
0
    }
4446
0
    if (pdiv != NULL) {
4447
0
        *pdiv = (PyLongObject *)Py_NewRef(q);
4448
0
    }
4449
0
    if (pmod != NULL) {
4450
0
        *pmod = (PyLongObject *)Py_NewRef(r);
4451
0
    }
4452
0
    Py_DECREF(result);
4453
0
    return 0;
4454
0
}
4455
#endif /* WITH_PYLONG_MODULE */
4456
4457
/* The / and % operators are now defined in terms of divmod().
4458
   The expression a mod b has the value a - b*floor(a/b).
4459
   The long_divrem function gives the remainder after division of
4460
   |a| by |b|, with the sign of a.  This is also expressed
4461
   as a - b*trunc(a/b), if trunc truncates towards zero.
4462
   Some examples:
4463
     a           b      a rem b         a mod b
4464
     13          10      3               3
4465
    -13          10     -3               7
4466
     13         -10      3              -7
4467
    -13         -10     -3              -3
4468
   So, to get from rem to mod, we have to add b if a and b
4469
   have different signs.  We then subtract one from the 'div'
4470
   part of the outcome to keep the invariant intact. */
4471
4472
/* Compute
4473
 *     *pdiv, *pmod = divmod(v, w)
4474
 * NULL can be passed for pdiv or pmod, in which case that part of
4475
 * the result is simply thrown away.  The caller owns a reference to
4476
 * each of these it requests (does not pass NULL for).
4477
 */
4478
static int
4479
l_divmod(PyLongObject *v, PyLongObject *w,
4480
         PyLongObject **pdiv, PyLongObject **pmod)
4481
1.19M
{
4482
1.19M
    PyLongObject *div, *mod;
4483
4484
1.19M
    if (_PyLong_DigitCount(v) == 1 && _PyLong_DigitCount(w) == 1) {
4485
        /* Fast path for single-digit longs */
4486
247k
        div = NULL;
4487
247k
        if (pdiv != NULL) {
4488
247k
            div = (PyLongObject *)fast_floor_div(v, w);
4489
247k
            if (div == NULL) {
4490
0
                return -1;
4491
0
            }
4492
247k
        }
4493
247k
        if (pmod != NULL) {
4494
247k
            mod = (PyLongObject *)fast_mod(v, w);
4495
247k
            if (mod == NULL) {
4496
0
                Py_XDECREF(div);
4497
0
                return -1;
4498
0
            }
4499
247k
            *pmod = mod;
4500
247k
        }
4501
247k
        if (pdiv != NULL) {
4502
            /* We only want to set `*pdiv` when `*pmod` is
4503
               set successfully. */
4504
247k
            *pdiv = div;
4505
247k
        }
4506
247k
        return 0;
4507
247k
    }
4508
945k
#if WITH_PYLONG_MODULE
4509
945k
    Py_ssize_t size_v = _PyLong_DigitCount(v); /* digits in numerator */
4510
945k
    Py_ssize_t size_w = _PyLong_DigitCount(w); /* digits in denominator */
4511
945k
    if (size_w > 300 && (size_v - size_w) > 150) {
4512
        /* Switch to _pylong.int_divmod().  If the quotient is small then
4513
          "schoolbook" division is linear-time so don't use in that case.
4514
          These limits are empirically determined and should be slightly
4515
          conservative so that _pylong is used in cases it is likely
4516
          to be faster. See Tools/scripts/divmod_threshold.py. */
4517
0
        return pylong_int_divmod(v, w, pdiv, pmod);
4518
0
    }
4519
945k
#endif
4520
945k
    if (long_divrem(v, w, &div, &mod) < 0)
4521
0
        return -1;
4522
945k
    if ((_PyLong_IsNegative(mod) && _PyLong_IsPositive(w)) ||
4523
945k
        (_PyLong_IsPositive(mod) && _PyLong_IsNegative(w))) {
4524
1
        PyLongObject *temp;
4525
1
        temp = long_add(mod, w);
4526
1
        Py_SETREF(mod, temp);
4527
1
        if (mod == NULL) {
4528
0
            Py_DECREF(div);
4529
0
            return -1;
4530
0
        }
4531
1
        temp = long_sub(div, (PyLongObject *)_PyLong_GetOne());
4532
1
        if (temp == NULL) {
4533
0
            Py_DECREF(mod);
4534
0
            Py_DECREF(div);
4535
0
            return -1;
4536
0
        }
4537
1
        Py_SETREF(div, temp);
4538
1
    }
4539
945k
    if (pdiv != NULL)
4540
945k
        *pdiv = div;
4541
0
    else
4542
0
        Py_DECREF(div);
4543
4544
945k
    if (pmod != NULL)
4545
731k
        *pmod = mod;
4546
213k
    else
4547
213k
        Py_DECREF(mod);
4548
4549
945k
    return 0;
4550
945k
}
4551
4552
/* Compute
4553
 *     *pmod = v % w
4554
 * pmod cannot be NULL. The caller owns a reference to pmod.
4555
 */
4556
static int
4557
l_mod(PyLongObject *v, PyLongObject *w, PyLongObject **pmod)
4558
20.4M
{
4559
20.4M
    PyLongObject *mod;
4560
4561
20.4M
    assert(pmod);
4562
20.4M
    if (_PyLong_DigitCount(v) == 1 && _PyLong_DigitCount(w) == 1) {
4563
        /* Fast path for single-digit longs */
4564
16.0M
        *pmod = (PyLongObject *)fast_mod(v, w);
4565
16.0M
        return -(*pmod == NULL);
4566
16.0M
    }
4567
4.37M
    if (long_rem(v, w, &mod) < 0)
4568
0
        return -1;
4569
4.37M
    if ((_PyLong_IsNegative(mod) && _PyLong_IsPositive(w)) ||
4570
4.37M
        (_PyLong_IsPositive(mod) && _PyLong_IsNegative(w))) {
4571
0
        PyLongObject *temp;
4572
0
        temp = long_add(mod, w);
4573
0
        Py_SETREF(mod, temp);
4574
0
        if (mod == NULL)
4575
0
            return -1;
4576
0
    }
4577
4.37M
    *pmod = mod;
4578
4579
4.37M
    return 0;
4580
4.37M
}
4581
4582
static PyObject *
4583
long_div(PyObject *a, PyObject *b)
4584
23.6M
{
4585
23.6M
    PyLongObject *div;
4586
4587
23.6M
    CHECK_BINOP(a, b);
4588
4589
23.6M
    if (_PyLong_DigitCount((PyLongObject*)a) == 1 && _PyLong_DigitCount((PyLongObject*)b) == 1) {
4590
23.3M
        return fast_floor_div((PyLongObject*)a, (PyLongObject*)b);
4591
23.3M
    }
4592
4593
213k
    if (l_divmod((PyLongObject*)a, (PyLongObject*)b, &div, NULL) < 0)
4594
0
        div = NULL;
4595
213k
    return (PyObject *)div;
4596
23.6M
}
4597
4598
/* PyLong/PyLong -> float, with correctly rounded result. */
4599
4600
33.0k
#define MANT_DIG_DIGITS (DBL_MANT_DIG / PyLong_SHIFT)
4601
2
#define MANT_DIG_BITS (DBL_MANT_DIG % PyLong_SHIFT)
4602
4603
static PyObject *
4604
long_true_divide(PyObject *v, PyObject *w)
4605
8.26k
{
4606
8.26k
    PyLongObject *a, *b, *x;
4607
8.26k
    Py_ssize_t a_size, b_size, shift, extra_bits, diff, x_size, x_bits;
4608
8.26k
    digit mask, low;
4609
8.26k
    int inexact, negate, a_is_small, b_is_small;
4610
8.26k
    double dx, result;
4611
4612
8.26k
    CHECK_BINOP(v, w);
4613
8.25k
    a = (PyLongObject *)v;
4614
8.25k
    b = (PyLongObject *)w;
4615
4616
    /*
4617
       Method in a nutshell:
4618
4619
         0. reduce to case a, b > 0; filter out obvious underflow/overflow
4620
         1. choose a suitable integer 'shift'
4621
         2. use integer arithmetic to compute x = floor(2**-shift*a/b)
4622
         3. adjust x for correct rounding
4623
         4. convert x to a double dx with the same value
4624
         5. return ldexp(dx, shift).
4625
4626
       In more detail:
4627
4628
       0. For any a, a/0 raises ZeroDivisionError; for nonzero b, 0/b
4629
       returns either 0.0 or -0.0, depending on the sign of b.  For a and
4630
       b both nonzero, ignore signs of a and b, and add the sign back in
4631
       at the end.  Now write a_bits and b_bits for the bit lengths of a
4632
       and b respectively (that is, a_bits = 1 + floor(log_2(a)); likewise
4633
       for b).  Then
4634
4635
          2**(a_bits - b_bits - 1) < a/b < 2**(a_bits - b_bits + 1).
4636
4637
       So if a_bits - b_bits > DBL_MAX_EXP then a/b > 2**DBL_MAX_EXP and
4638
       so overflows.  Similarly, if a_bits - b_bits < DBL_MIN_EXP -
4639
       DBL_MANT_DIG - 1 then a/b underflows to 0.  With these cases out of
4640
       the way, we can assume that
4641
4642
          DBL_MIN_EXP - DBL_MANT_DIG - 1 <= a_bits - b_bits <= DBL_MAX_EXP.
4643
4644
       1. The integer 'shift' is chosen so that x has the right number of
4645
       bits for a double, plus two or three extra bits that will be used
4646
       in the rounding decisions.  Writing a_bits and b_bits for the
4647
       number of significant bits in a and b respectively, a
4648
       straightforward formula for shift is:
4649
4650
          shift = a_bits - b_bits - DBL_MANT_DIG - 2
4651
4652
       This is fine in the usual case, but if a/b is smaller than the
4653
       smallest normal float then it can lead to double rounding on an
4654
       IEEE 754 platform, giving incorrectly rounded results.  So we
4655
       adjust the formula slightly.  The actual formula used is:
4656
4657
           shift = MAX(a_bits - b_bits, DBL_MIN_EXP) - DBL_MANT_DIG - 2
4658
4659
       2. The quantity x is computed by first shifting a (left -shift bits
4660
       if shift <= 0, right shift bits if shift > 0) and then dividing by
4661
       b.  For both the shift and the division, we keep track of whether
4662
       the result is inexact, in a flag 'inexact'; this information is
4663
       needed at the rounding stage.
4664
4665
       With the choice of shift above, together with our assumption that
4666
       a_bits - b_bits >= DBL_MIN_EXP - DBL_MANT_DIG - 1, it follows
4667
       that x >= 1.
4668
4669
       3. Now x * 2**shift <= a/b < (x+1) * 2**shift.  We want to replace
4670
       this with an exactly representable float of the form
4671
4672
          round(x/2**extra_bits) * 2**(extra_bits+shift).
4673
4674
       For float representability, we need x/2**extra_bits <
4675
       2**DBL_MANT_DIG and extra_bits + shift >= DBL_MIN_EXP -
4676
       DBL_MANT_DIG.  This translates to the condition:
4677
4678
          extra_bits >= MAX(x_bits, DBL_MIN_EXP - shift) - DBL_MANT_DIG
4679
4680
       To round, we just modify the bottom digit of x in-place; this can
4681
       end up giving a digit with value > PyLONG_MASK, but that's not a
4682
       problem since digits can hold values up to 2*PyLONG_MASK+1.
4683
4684
       With the original choices for shift above, extra_bits will always
4685
       be 2 or 3.  Then rounding under the round-half-to-even rule, we
4686
       round up iff the most significant of the extra bits is 1, and
4687
       either: (a) the computation of x in step 2 had an inexact result,
4688
       or (b) at least one other of the extra bits is 1, or (c) the least
4689
       significant bit of x (above those to be rounded) is 1.
4690
4691
       4. Conversion to a double is straightforward; all floating-point
4692
       operations involved in the conversion are exact, so there's no
4693
       danger of rounding errors.
4694
4695
       5. Use ldexp(x, shift) to compute x*2**shift, the final result.
4696
       The result will always be exactly representable as a double, except
4697
       in the case that it overflows.  To avoid dependence on the exact
4698
       behaviour of ldexp on overflow, we check for overflow before
4699
       applying ldexp.  The result of ldexp is adjusted for sign before
4700
       returning.
4701
    */
4702
4703
    /* Reduce to case where a and b are both positive. */
4704
8.25k
    a_size = _PyLong_DigitCount(a);
4705
8.25k
    b_size = _PyLong_DigitCount(b);
4706
8.25k
    negate = (_PyLong_IsNegative(a)) != (_PyLong_IsNegative(b));
4707
8.25k
    if (b_size == 0) {
4708
0
        PyErr_SetString(PyExc_ZeroDivisionError,
4709
0
                        "division by zero");
4710
0
        goto error;
4711
0
    }
4712
8.25k
    if (a_size == 0)
4713
8
        goto underflow_or_zero;
4714
4715
    /* Fast path for a and b small (exactly representable in a double).
4716
       Relies on floating-point division being correctly rounded; results
4717
       may be subject to double rounding on x86 machines that operate with
4718
       the x87 FPU set to 64-bit precision. */
4719
8.25k
    a_is_small = a_size <= MANT_DIG_DIGITS ||
4720
2
        (a_size == MANT_DIG_DIGITS+1 &&
4721
2
         a->long_value.ob_digit[MANT_DIG_DIGITS] >> MANT_DIG_BITS == 0);
4722
8.25k
    b_is_small = b_size <= MANT_DIG_DIGITS ||
4723
0
        (b_size == MANT_DIG_DIGITS+1 &&
4724
0
         b->long_value.ob_digit[MANT_DIG_DIGITS] >> MANT_DIG_BITS == 0);
4725
8.25k
    if (a_is_small && b_is_small) {
4726
8.25k
        double da, db;
4727
8.25k
        da = a->long_value.ob_digit[--a_size];
4728
8.25k
        while (a_size > 0)
4729
2
            da = da * PyLong_BASE + a->long_value.ob_digit[--a_size];
4730
8.25k
        db = b->long_value.ob_digit[--b_size];
4731
8.25k
        while (b_size > 0)
4732
0
            db = db * PyLong_BASE + b->long_value.ob_digit[--b_size];
4733
8.25k
        result = da / db;
4734
8.25k
        goto success;
4735
8.25k
    }
4736
4737
    /* Catch obvious cases of underflow and overflow */
4738
0
    diff = a_size - b_size;
4739
0
    if (diff > PY_SSIZE_T_MAX/PyLong_SHIFT - 1)
4740
        /* Extreme overflow */
4741
0
        goto overflow;
4742
0
    else if (diff < 1 - PY_SSIZE_T_MAX/PyLong_SHIFT)
4743
        /* Extreme underflow */
4744
0
        goto underflow_or_zero;
4745
    /* Next line is now safe from overflowing a Py_ssize_t */
4746
0
    diff = diff * PyLong_SHIFT + bit_length_digit(a->long_value.ob_digit[a_size - 1]) -
4747
0
        bit_length_digit(b->long_value.ob_digit[b_size - 1]);
4748
    /* Now diff = a_bits - b_bits. */
4749
0
    if (diff > DBL_MAX_EXP)
4750
0
        goto overflow;
4751
0
    else if (diff < DBL_MIN_EXP - DBL_MANT_DIG - 1)
4752
0
        goto underflow_or_zero;
4753
4754
    /* Choose value for shift; see comments for step 1 above. */
4755
0
    shift = Py_MAX(diff, DBL_MIN_EXP) - DBL_MANT_DIG - 2;
4756
4757
0
    inexact = 0;
4758
4759
    /* x = abs(a * 2**-shift) */
4760
0
    if (shift <= 0) {
4761
0
        Py_ssize_t i, shift_digits = -shift / PyLong_SHIFT;
4762
0
        digit rem;
4763
        /* x = a << -shift */
4764
0
        if (a_size >= PY_SSIZE_T_MAX - 1 - shift_digits) {
4765
            /* In practice, it's probably impossible to end up
4766
               here.  Both a and b would have to be enormous,
4767
               using close to SIZE_T_MAX bytes of memory each. */
4768
0
            PyErr_SetString(PyExc_OverflowError,
4769
0
                            "intermediate overflow during division");
4770
0
            goto error;
4771
0
        }
4772
0
        x = long_alloc(a_size + shift_digits + 1);
4773
0
        if (x == NULL)
4774
0
            goto error;
4775
0
        for (i = 0; i < shift_digits; i++)
4776
0
            x->long_value.ob_digit[i] = 0;
4777
0
        rem = v_lshift(x->long_value.ob_digit + shift_digits, a->long_value.ob_digit,
4778
0
                       a_size, -shift % PyLong_SHIFT);
4779
0
        x->long_value.ob_digit[a_size + shift_digits] = rem;
4780
0
    }
4781
0
    else {
4782
0
        Py_ssize_t shift_digits = shift / PyLong_SHIFT;
4783
0
        digit rem;
4784
        /* x = a >> shift */
4785
0
        assert(a_size >= shift_digits);
4786
0
        x = long_alloc(a_size - shift_digits);
4787
0
        if (x == NULL)
4788
0
            goto error;
4789
0
        rem = v_rshift(x->long_value.ob_digit, a->long_value.ob_digit + shift_digits,
4790
0
                       a_size - shift_digits, shift % PyLong_SHIFT);
4791
        /* set inexact if any of the bits shifted out is nonzero */
4792
0
        if (rem)
4793
0
            inexact = 1;
4794
0
        while (!inexact && shift_digits > 0)
4795
0
            if (a->long_value.ob_digit[--shift_digits])
4796
0
                inexact = 1;
4797
0
    }
4798
0
    long_normalize(x);
4799
0
    x_size = _PyLong_SignedDigitCount(x);
4800
4801
    /* x //= b. If the remainder is nonzero, set inexact.  We own the only
4802
       reference to x, so it's safe to modify it in-place. */
4803
0
    if (b_size == 1) {
4804
0
        digit rem = inplace_divrem1(x->long_value.ob_digit, x->long_value.ob_digit, x_size,
4805
0
                              b->long_value.ob_digit[0]);
4806
0
        long_normalize(x);
4807
0
        if (rem)
4808
0
            inexact = 1;
4809
0
    }
4810
0
    else {
4811
0
        PyLongObject *div, *rem;
4812
0
        div = x_divrem(x, b, &rem);
4813
0
        Py_SETREF(x, div);
4814
0
        if (x == NULL)
4815
0
            goto error;
4816
0
        if (!_PyLong_IsZero(rem))
4817
0
            inexact = 1;
4818
0
        Py_DECREF(rem);
4819
0
    }
4820
0
    x_size = _PyLong_DigitCount(x);
4821
0
    assert(x_size > 0); /* result of division is never zero */
4822
0
    x_bits = (x_size-1)*PyLong_SHIFT+bit_length_digit(x->long_value.ob_digit[x_size-1]);
4823
4824
    /* The number of extra bits that have to be rounded away. */
4825
0
    extra_bits = Py_MAX(x_bits, DBL_MIN_EXP - shift) - DBL_MANT_DIG;
4826
0
    assert(extra_bits == 2 || extra_bits == 3);
4827
4828
    /* Round by directly modifying the low digit of x. */
4829
0
    mask = (digit)1 << (extra_bits - 1);
4830
0
    low = x->long_value.ob_digit[0] | inexact;
4831
0
    if ((low & mask) && (low & (3U*mask-1U)))
4832
0
        low += mask;
4833
0
    x->long_value.ob_digit[0] = low & ~(2U*mask-1U);
4834
4835
    /* Convert x to a double dx; the conversion is exact. */
4836
0
    dx = x->long_value.ob_digit[--x_size];
4837
0
    while (x_size > 0)
4838
0
        dx = dx * PyLong_BASE + x->long_value.ob_digit[--x_size];
4839
0
    Py_DECREF(x);
4840
4841
    /* Check whether ldexp result will overflow a double. */
4842
0
    if (shift + x_bits >= DBL_MAX_EXP &&
4843
0
        (shift + x_bits > DBL_MAX_EXP || dx == ldexp(1.0, (int)x_bits)))
4844
0
        goto overflow;
4845
0
    result = ldexp(dx, (int)shift);
4846
4847
8.25k
  success:
4848
8.25k
    return PyFloat_FromDouble(negate ? -result : result);
4849
4850
8
  underflow_or_zero:
4851
8
    return PyFloat_FromDouble(negate ? -0.0 : 0.0);
4852
4853
0
  overflow:
4854
0
    PyErr_SetString(PyExc_OverflowError,
4855
0
                    "integer division result too large for a float");
4856
0
  error:
4857
0
    return NULL;
4858
0
}
4859
4860
static PyObject *
4861
long_mod(PyObject *a, PyObject *b)
4862
20.4M
{
4863
20.4M
    PyLongObject *mod;
4864
4865
20.4M
    CHECK_BINOP(a, b);
4866
4867
20.4M
    if (l_mod((PyLongObject*)a, (PyLongObject*)b, &mod) < 0)
4868
0
        mod = NULL;
4869
20.4M
    return (PyObject *)mod;
4870
20.4M
}
4871
4872
static PyObject *
4873
long_divmod(PyObject *a, PyObject *b)
4874
978k
{
4875
978k
    PyLongObject *div, *mod;
4876
978k
    CHECK_BINOP(a, b);
4877
4878
978k
    if (l_divmod((PyLongObject*)a, (PyLongObject*)b, &div, &mod) < 0) {
4879
0
        return NULL;
4880
0
    }
4881
978k
    return _PyTuple_FromPairSteal((PyObject *)div, (PyObject *)mod);
4882
978k
}
4883
4884
4885
/* Compute an inverse to a modulo n, or raise ValueError if a is not
4886
   invertible modulo n. Assumes n is positive. The inverse returned
4887
   is whatever falls out of the extended Euclidean algorithm: it may
4888
   be either positive or negative, but will be smaller than n in
4889
   absolute value.
4890
4891
   Pure Python equivalent for long_invmod:
4892
4893
        def invmod(a, n):
4894
            b, c = 1, 0
4895
            while n:
4896
                q, r = divmod(a, n)
4897
                a, b, c, n = n, c, b - q*c, r
4898
4899
            # at this point a is the gcd of the original inputs
4900
            if a == 1:
4901
                return b
4902
            raise ValueError("Not invertible")
4903
*/
4904
4905
static PyLongObject *
4906
long_invmod(PyLongObject *a, PyLongObject *n)
4907
0
{
4908
    /* Should only ever be called for positive n */
4909
0
    assert(_PyLong_IsPositive(n));
4910
4911
0
    Py_INCREF(a);
4912
0
    PyLongObject *b = (PyLongObject *)Py_NewRef(_PyLong_GetOne());
4913
0
    PyLongObject *c = (PyLongObject *)Py_NewRef(_PyLong_GetZero());
4914
0
    Py_INCREF(n);
4915
4916
    /* references now owned: a, b, c, n */
4917
0
    while (!_PyLong_IsZero(n)) {
4918
0
        PyLongObject *q, *r, *s, *t;
4919
4920
0
        if (l_divmod(a, n, &q, &r) == -1) {
4921
0
            goto Error;
4922
0
        }
4923
0
        Py_SETREF(a, n);
4924
0
        n = r;
4925
0
        t = (PyLongObject *)long_mul(q, c);
4926
0
        Py_DECREF(q);
4927
0
        if (t == NULL) {
4928
0
            goto Error;
4929
0
        }
4930
0
        s = long_sub(b, t);
4931
0
        Py_DECREF(t);
4932
0
        if (s == NULL) {
4933
0
            goto Error;
4934
0
        }
4935
0
        Py_SETREF(b, c);
4936
0
        c = s;
4937
0
    }
4938
    /* references now owned: a, b, c, n */
4939
4940
0
    Py_DECREF(c);
4941
0
    Py_DECREF(n);
4942
0
    if (long_compare(a, (PyLongObject *)_PyLong_GetOne())) {
4943
        /* a != 1; we don't have an inverse. */
4944
0
        Py_DECREF(a);
4945
0
        Py_DECREF(b);
4946
0
        PyErr_SetString(PyExc_ValueError,
4947
0
                        "base is not invertible for the given modulus");
4948
0
        return NULL;
4949
0
    }
4950
0
    else {
4951
        /* a == 1; b gives an inverse modulo n */
4952
0
        Py_DECREF(a);
4953
0
        return b;
4954
0
    }
4955
4956
0
  Error:
4957
0
    Py_DECREF(a);
4958
0
    Py_DECREF(b);
4959
0
    Py_DECREF(c);
4960
0
    Py_DECREF(n);
4961
0
    return NULL;
4962
0
}
4963
4964
4965
/* pow(v, w, x) */
4966
static PyObject *
4967
long_pow(PyObject *v, PyObject *w, PyObject *x)
4968
3.45M
{
4969
3.45M
    PyLongObject *a, *b, *c; /* a,b,c = v,w,x */
4970
3.45M
    int negativeOutput = 0;  /* if x<0 return negative output */
4971
4972
3.45M
    PyLongObject *z = NULL;  /* accumulated result */
4973
3.45M
    Py_ssize_t i, j;             /* counters */
4974
3.45M
    PyLongObject *temp = NULL;
4975
3.45M
    PyLongObject *a2 = NULL; /* may temporarily hold a**2 % c */
4976
4977
    /* k-ary values.  If the exponent is large enough, table is
4978
     * precomputed so that table[i] == a**(2*i+1) % c for i in
4979
     * range(EXP_TABLE_LEN).
4980
     * Note: this is uninitialized stack trash: don't pay to set it to known
4981
     * values unless it's needed. Instead ensure that num_table_entries is
4982
     * set to the number of entries actually filled whenever a branch to the
4983
     * Error or Done labels is possible.
4984
     */
4985
3.45M
    PyLongObject *table[EXP_TABLE_LEN];
4986
3.45M
    Py_ssize_t num_table_entries = 0;
4987
4988
    /* a, b, c = v, w, x */
4989
3.45M
    CHECK_BINOP(v, w);
4990
3.45M
    a = (PyLongObject*)Py_NewRef(v);
4991
3.45M
    b = (PyLongObject*)Py_NewRef(w);
4992
3.45M
    if (PyLong_Check(x)) {
4993
4
        c = (PyLongObject *)Py_NewRef(x);
4994
4
    }
4995
3.45M
    else if (x == Py_None)
4996
3.45M
        c = NULL;
4997
0
    else {
4998
0
        Py_DECREF(a);
4999
0
        Py_DECREF(b);
5000
0
        Py_RETURN_NOTIMPLEMENTED;
5001
0
    }
5002
5003
3.45M
    if (_PyLong_IsNegative(b) && c == NULL) {
5004
        /* if exponent is negative and there's no modulus:
5005
               return a float.  This works because we know
5006
               that this calls float_pow() which converts its
5007
               arguments to double. */
5008
8
        Py_DECREF(a);
5009
8
        Py_DECREF(b);
5010
8
        return PyFloat_Type.tp_as_number->nb_power(v, w, x);
5011
8
    }
5012
5013
3.45M
    if (c) {
5014
        /* if modulus == 0:
5015
               raise ValueError() */
5016
4
        if (_PyLong_IsZero(c)) {
5017
0
            PyErr_SetString(PyExc_ValueError,
5018
0
                            "pow() 3rd argument cannot be 0");
5019
0
            goto Error;
5020
0
        }
5021
5022
        /* if modulus < 0:
5023
               negativeOutput = True
5024
               modulus = -modulus */
5025
4
        if (_PyLong_IsNegative(c)) {
5026
0
            negativeOutput = 1;
5027
0
            temp = (PyLongObject *)_PyLong_Copy(c);
5028
0
            if (temp == NULL)
5029
0
                goto Error;
5030
0
            Py_SETREF(c, temp);
5031
0
            temp = NULL;
5032
0
            _PyLong_Negate(&c);
5033
0
            if (c == NULL)
5034
0
                goto Error;
5035
0
        }
5036
5037
        /* if modulus == 1:
5038
               return 0 */
5039
4
        if (_PyLong_IsNonNegativeCompact(c) && (c->long_value.ob_digit[0] == 1)) {
5040
0
            z = (PyLongObject *)PyLong_FromLong(0L);
5041
0
            goto Done;
5042
0
        }
5043
5044
        /* if exponent is negative, negate the exponent and
5045
           replace the base with a modular inverse */
5046
4
        if (_PyLong_IsNegative(b)) {
5047
0
            temp = (PyLongObject *)_PyLong_Copy(b);
5048
0
            if (temp == NULL)
5049
0
                goto Error;
5050
0
            Py_SETREF(b, temp);
5051
0
            temp = NULL;
5052
0
            _PyLong_Negate(&b);
5053
0
            if (b == NULL)
5054
0
                goto Error;
5055
5056
0
            temp = long_invmod(a, c);
5057
0
            if (temp == NULL)
5058
0
                goto Error;
5059
0
            Py_SETREF(a, temp);
5060
0
            temp = NULL;
5061
0
        }
5062
5063
        /* Reduce base by modulus in some cases:
5064
           1. If base < 0.  Forcing the base non-negative makes things easier.
5065
           2. If base is obviously larger than the modulus.  The "small
5066
              exponent" case later can multiply directly by base repeatedly,
5067
              while the "large exponent" case multiplies directly by base 31
5068
              times.  It can be unboundedly faster to multiply by
5069
              base % modulus instead.
5070
           We could _always_ do this reduction, but l_mod() isn't cheap,
5071
           so we only do it when it buys something. */
5072
4
        if (_PyLong_IsNegative(a) || _PyLong_DigitCount(a) > _PyLong_DigitCount(c)) {
5073
0
            if (l_mod(a, c, &temp) < 0)
5074
0
                goto Error;
5075
0
            Py_SETREF(a, temp);
5076
0
            temp = NULL;
5077
0
        }
5078
4
    }
5079
5080
    /* At this point a, b, and c are guaranteed non-negative UNLESS
5081
       c is NULL, in which case a may be negative. */
5082
5083
3.45M
    z = (PyLongObject *)PyLong_FromLong(1L);
5084
3.45M
    if (z == NULL)
5085
0
        goto Error;
5086
5087
    /* Perform a modular reduction, X = X % c, but leave X alone if c
5088
     * is NULL.
5089
     */
5090
3.45M
#define REDUCE(X)                                       \
5091
11.2M
    do {                                                \
5092
11.2M
        if (c != NULL) {                                \
5093
476
            if (l_mod(X, c, &temp) < 0)                 \
5094
476
                goto Error;                             \
5095
476
            Py_XDECREF(X);                              \
5096
476
            X = temp;                                   \
5097
476
            temp = NULL;                                \
5098
476
        }                                               \
5099
11.2M
    } while(0)
5100
5101
    /* Multiply two values, then reduce the result:
5102
       result = X*Y % c.  If c is NULL, skip the mod. */
5103
3.45M
#define MULT(X, Y, result)                      \
5104
11.2M
    do {                                        \
5105
11.2M
        temp = (PyLongObject *)long_mul(X, Y);  \
5106
11.2M
        if (temp == NULL)                       \
5107
11.2M
            goto Error;                         \
5108
11.2M
        Py_XDECREF(result);                     \
5109
11.2M
        result = temp;                          \
5110
11.2M
        temp = NULL;                            \
5111
11.2M
        REDUCE(result);                         \
5112
11.2M
    } while(0)
5113
5114
3.45M
    i = _PyLong_SignedDigitCount(b);
5115
3.45M
    digit bi = i ? b->long_value.ob_digit[i-1] : 0;
5116
3.45M
    digit bit;
5117
3.45M
    if (i <= 1 && bi <= 3) {
5118
        /* aim for minimal overhead */
5119
32
        if (bi >= 2) {
5120
8
            MULT(a, a, z);
5121
8
            if (bi == 3) {
5122
8
                MULT(z, a, z);
5123
8
            }
5124
8
        }
5125
24
        else if (bi == 1) {
5126
            /* Multiplying by 1 serves two purposes: if `a` is of an int
5127
             * subclass, makes the result an int (e.g., pow(False, 1) returns
5128
             * 0 instead of False), and potentially reduces `a` by the modulus.
5129
             */
5130
8
            MULT(a, z, z);
5131
8
        }
5132
        /* else bi is 0, and z==1 is correct */
5133
32
    }
5134
3.45M
    else if (i <= HUGE_EXP_CUTOFF / PyLong_SHIFT ) {
5135
        /* Left-to-right binary exponentiation (HAC Algorithm 14.79) */
5136
        /* https://cacr.uwaterloo.ca/hac/about/chap14.pdf            */
5137
5138
        /* Find the first significant exponent bit. Search right to left
5139
         * because we're primarily trying to cut overhead for small powers.
5140
         */
5141
3.45M
        assert(bi);  /* else there is no significant bit */
5142
3.45M
        Py_SETREF(z, (PyLongObject*)Py_NewRef(a));
5143
13.1M
        for (bit = 2; ; bit <<= 1) {
5144
13.1M
            if (bit > bi) { /* found the first bit */
5145
3.45M
                assert((bi & bit) == 0);
5146
3.45M
                bit >>= 1;
5147
3.45M
                assert(bi & bit);
5148
3.45M
                break;
5149
3.45M
            }
5150
13.1M
        }
5151
3.45M
        for (--i, bit >>= 1;;) {
5152
13.1M
            for (; bit != 0; bit >>= 1) {
5153
9.68M
                MULT(z, z, z);
5154
9.68M
                if (bi & bit) {
5155
1.52M
                    MULT(z, a, z);
5156
1.52M
                }
5157
9.68M
            }
5158
3.45M
            if (--i < 0) {
5159
3.45M
                break;
5160
3.45M
            }
5161
0
            bi = b->long_value.ob_digit[i];
5162
0
            bit = (digit)1 << (PyLong_SHIFT-1);
5163
0
        }
5164
3.45M
    }
5165
4
    else {
5166
        /* Left-to-right k-ary sliding window exponentiation
5167
         * (Handbook of Applied Cryptography (HAC) Algorithm 14.85)
5168
         */
5169
4
        table[0] = (PyLongObject*)Py_NewRef(a);
5170
4
        num_table_entries = 1;
5171
4
        MULT(a, a, a2);
5172
        /* table[i] == a**(2*i + 1) % c */
5173
64
        for (i = 1; i < EXP_TABLE_LEN; ++i) {
5174
60
            table[i] = NULL; /* must set to known value for MULT */
5175
60
            MULT(table[i-1], a2, table[i]);
5176
60
            ++num_table_entries; /* incremented iff MULT succeeded */
5177
60
        }
5178
4
        Py_CLEAR(a2);
5179
5180
        /* Repeatedly extract the next (no more than) EXP_WINDOW_SIZE bits
5181
         * into `pending`, starting with the next 1 bit.  The current bit
5182
         * length of `pending` is `blen`.
5183
         */
5184
4
        int pending = 0, blen = 0;
5185
52
#define ABSORB_PENDING  do { \
5186
52
            int ntz = 0; /* number of trailing zeroes in `pending` */ \
5187
52
            assert(pending && blen); \
5188
52
            assert(pending >> (blen - 1)); \
5189
52
            assert(pending >> blen == 0); \
5190
56
            while ((pending & 1) == 0) { \
5191
4
                ++ntz; \
5192
4
                pending >>= 1; \
5193
4
            } \
5194
52
            assert(ntz < blen); \
5195
52
            blen -= ntz; \
5196
240
            do { \
5197
240
                MULT(z, z, z); \
5198
240
            } while (--blen); \
5199
52
            MULT(z, table[pending >> 1], z); \
5200
56
            while (ntz-- > 0) \
5201
52
                MULT(z, z, z); \
5202
52
            assert(blen == 0); \
5203
52
            pending = 0; \
5204
52
        } while(0)
5205
5206
16
        for (i = _PyLong_SignedDigitCount(b) - 1; i >= 0; --i) {
5207
12
            const digit bi = b->long_value.ob_digit[i];
5208
372
            for (j = PyLong_SHIFT - 1; j >= 0; --j) {
5209
360
                const int bit = (bi >> j) & 1;
5210
360
                pending = (pending << 1) | bit;
5211
360
                if (pending) {
5212
244
                    ++blen;
5213
244
                    if (blen == EXP_WINDOW_SIZE)
5214
48
                        ABSORB_PENDING;
5215
244
                }
5216
116
                else /* absorb strings of 0 bits */
5217
116
                    MULT(z, z, z);
5218
360
            }
5219
12
        }
5220
4
        if (pending)
5221
4
            ABSORB_PENDING;
5222
4
    }
5223
5224
3.45M
    if (negativeOutput && !_PyLong_IsZero(z)) {
5225
0
        temp = long_sub(z, c);
5226
0
        if (temp == NULL)
5227
0
            goto Error;
5228
0
        Py_SETREF(z, temp);
5229
0
        temp = NULL;
5230
0
    }
5231
3.45M
    goto Done;
5232
5233
3.45M
  Error:
5234
0
    Py_CLEAR(z);
5235
    /* fall through */
5236
3.45M
  Done:
5237
3.45M
    for (i = 0; i < num_table_entries; ++i)
5238
64
        Py_DECREF(table[i]);
5239
3.45M
    Py_DECREF(a);
5240
3.45M
    Py_DECREF(b);
5241
3.45M
    Py_XDECREF(c);
5242
3.45M
    Py_XDECREF(a2);
5243
3.45M
    Py_XDECREF(temp);
5244
3.45M
    return (PyObject *)z;
5245
0
}
5246
5247
static PyObject *
5248
long_invert(PyObject *self)
5249
91.8k
{
5250
91.8k
    PyLongObject *v = _PyLong_CAST(self);
5251
5252
    /* Implement ~x as -(x+1) */
5253
91.8k
    if (_PyLong_IsCompact(v))
5254
91.8k
        return (PyObject*)_PyLong_FromSTwoDigits(~medium_value(v));
5255
5256
0
    PyLongObject *x = long_add(v, (PyLongObject *)_PyLong_GetOne());
5257
0
    if (x == NULL)
5258
0
        return NULL;
5259
0
    _PyLong_Negate(&x);
5260
    /* No need for maybe_small_long here, since any small longs
5261
       will have been caught in the _PyLong_IsCompact() fast path. */
5262
0
    return (PyObject *)x;
5263
0
}
5264
5265
static PyLongObject *
5266
long_neg(PyLongObject *v)
5267
784k
{
5268
784k
    if (_PyLong_IsCompact(v)) {
5269
724k
        return _PyLong_FromSTwoDigits(-medium_value(v));
5270
724k
    }
5271
5272
59.8k
    PyLongObject *z = (PyLongObject *)_PyLong_Copy(v);
5273
59.8k
    if (z != NULL) {
5274
59.8k
        _PyLong_FlipSign(z);
5275
59.8k
    }
5276
59.8k
    return z;
5277
784k
}
5278
5279
static PyObject *
5280
long_neg_method(PyObject *v)
5281
783k
{
5282
783k
    return (PyObject*)long_neg(_PyLong_CAST(v));
5283
783k
}
5284
5285
static PyLongObject*
5286
long_abs(PyLongObject *v)
5287
16.7k
{
5288
16.7k
    if (_PyLong_IsNegative(v))
5289
976
        return long_neg(v);
5290
15.7k
    else
5291
15.7k
        return (PyLongObject*)long_long((PyObject *)v);
5292
16.7k
}
5293
5294
static PyObject *
5295
long_abs_method(PyObject *v)
5296
16.7k
{
5297
16.7k
    return (PyObject*)long_abs(_PyLong_CAST(v));
5298
16.7k
}
5299
5300
static int
5301
long_bool(PyObject *v)
5302
598k
{
5303
598k
    return !_PyLong_IsZero(_PyLong_CAST(v));
5304
598k
}
5305
5306
/* Inner function for both long_rshift and _PyLong_Rshift, shifting an
5307
   integer right by PyLong_SHIFT*wordshift + remshift bits.
5308
   wordshift should be nonnegative. */
5309
5310
static PyObject *
5311
long_rshift1(PyLongObject *a, Py_ssize_t wordshift, digit remshift)
5312
17.6M
{
5313
17.6M
    PyLongObject *z = NULL;
5314
17.6M
    Py_ssize_t newsize, hishift, size_a;
5315
17.6M
    twodigits accum;
5316
17.6M
    int a_negative;
5317
5318
    /* Total number of bits shifted must be nonnegative. */
5319
17.6M
    assert(wordshift >= 0);
5320
17.6M
    assert(remshift < PyLong_SHIFT);
5321
5322
    /* Fast path for small a. */
5323
17.6M
    if (_PyLong_IsCompact(a)) {
5324
17.6M
        stwodigits m, x;
5325
17.6M
        digit shift;
5326
17.6M
        m = medium_value(a);
5327
17.6M
        shift = wordshift == 0 ? remshift : PyLong_SHIFT;
5328
17.6M
        x = m < 0 ? ~(~m >> shift) : m >> shift;
5329
17.6M
        return (PyObject*)_PyLong_FromSTwoDigits(x);
5330
17.6M
    }
5331
5332
10.1k
    a_negative = _PyLong_IsNegative(a);
5333
10.1k
    size_a = _PyLong_DigitCount(a);
5334
5335
10.1k
    if (a_negative) {
5336
        /* For negative 'a', adjust so that 0 < remshift <= PyLong_SHIFT,
5337
           while keeping PyLong_SHIFT*wordshift + remshift the same. This
5338
           ensures that 'newsize' is computed correctly below. */
5339
0
        if (remshift == 0) {
5340
0
            if (wordshift == 0) {
5341
                /* Can only happen if the original shift was 0. */
5342
0
                return long_long((PyObject *)a);
5343
0
            }
5344
0
            remshift = PyLong_SHIFT;
5345
0
            --wordshift;
5346
0
        }
5347
0
    }
5348
5349
10.1k
    assert(wordshift >= 0);
5350
10.1k
    newsize = size_a - wordshift;
5351
10.1k
    if (newsize <= 0) {
5352
        /* Shifting all the bits of 'a' out gives either -1 or 0. */
5353
0
        return PyLong_FromLong(-a_negative);
5354
0
    }
5355
10.1k
    z = long_alloc(newsize);
5356
10.1k
    if (z == NULL) {
5357
0
        return NULL;
5358
0
    }
5359
10.1k
    hishift = PyLong_SHIFT - remshift;
5360
5361
10.1k
    accum = a->long_value.ob_digit[wordshift];
5362
10.1k
    if (a_negative) {
5363
        /*
5364
            For a positive integer a and nonnegative shift, we have:
5365
5366
                (-a) >> shift == -((a + 2**shift - 1) >> shift).
5367
5368
            In the addition `a + (2**shift - 1)`, the low `wordshift` digits of
5369
            `2**shift - 1` all have value `PyLong_MASK`, so we get a carry out
5370
            from the bottom `wordshift` digits when at least one of the least
5371
            significant `wordshift` digits of `a` is nonzero. Digit `wordshift`
5372
            of `2**shift - 1` has value `PyLong_MASK >> hishift`.
5373
        */
5374
0
        _PyLong_SetSignAndDigitCount(z, -1, newsize);
5375
5376
0
        digit sticky = 0;
5377
0
        for (Py_ssize_t j = 0; j < wordshift; j++) {
5378
0
            sticky |= a->long_value.ob_digit[j];
5379
0
        }
5380
0
        accum += (PyLong_MASK >> hishift) + (digit)(sticky != 0);
5381
0
    }
5382
5383
10.1k
    accum >>= remshift;
5384
23.1k
    for (Py_ssize_t i = 0, j = wordshift + 1; j < size_a; i++, j++) {
5385
12.9k
        accum += (twodigits)a->long_value.ob_digit[j] << hishift;
5386
12.9k
        z->long_value.ob_digit[i] = (digit)(accum & PyLong_MASK);
5387
12.9k
        accum >>= PyLong_SHIFT;
5388
12.9k
    }
5389
10.1k
    assert(accum <= PyLong_MASK);
5390
10.1k
    z->long_value.ob_digit[newsize - 1] = (digit)accum;
5391
5392
10.1k
    z = maybe_small_long(long_normalize(z));
5393
10.1k
    return (PyObject *)z;
5394
10.1k
}
5395
5396
static PyObject *
5397
long_rshift(PyObject *a, PyObject *b)
5398
17.6M
{
5399
17.6M
    int64_t shiftby;
5400
5401
17.6M
    CHECK_BINOP(a, b);
5402
5403
17.6M
    if (_PyLong_IsNegative((PyLongObject *)b)) {
5404
0
        PyErr_SetString(PyExc_ValueError, "negative shift count");
5405
0
        return NULL;
5406
0
    }
5407
17.6M
    if (_PyLong_IsZero((PyLongObject *)a)) {
5408
31.2k
        return PyLong_FromLong(0);
5409
31.2k
    }
5410
17.6M
    if (PyLong_AsInt64(b, &shiftby) < 0) {
5411
0
        if (!PyErr_ExceptionMatches(PyExc_OverflowError)) {
5412
0
            return NULL;
5413
0
        }
5414
0
        PyErr_Clear();
5415
0
        if (_PyLong_IsNegative((PyLongObject *)a)) {
5416
0
            return PyLong_FromLong(-1);
5417
0
        }
5418
0
        else {
5419
0
            return PyLong_FromLong(0);
5420
0
        }
5421
0
    }
5422
17.6M
    return _PyLong_Rshift(a, shiftby);
5423
17.6M
}
5424
5425
/* Return a >> shiftby. */
5426
PyObject *
5427
_PyLong_Rshift(PyObject *a, int64_t shiftby)
5428
17.6M
{
5429
17.6M
    Py_ssize_t wordshift;
5430
17.6M
    digit remshift;
5431
5432
17.6M
    assert(PyLong_Check(a));
5433
17.6M
    assert(shiftby >= 0);
5434
17.6M
    if (_PyLong_IsZero((PyLongObject *)a)) {
5435
0
        return PyLong_FromLong(0);
5436
0
    }
5437
#if PY_SSIZE_T_MAX <= INT64_MAX / PyLong_SHIFT
5438
    if (shiftby > (int64_t)PY_SSIZE_T_MAX * PyLong_SHIFT) {
5439
        if (_PyLong_IsNegative((PyLongObject *)a)) {
5440
            return PyLong_FromLong(-1);
5441
        }
5442
        else {
5443
            return PyLong_FromLong(0);
5444
        }
5445
    }
5446
#endif
5447
17.6M
    wordshift = (Py_ssize_t)(shiftby / PyLong_SHIFT);
5448
17.6M
    remshift = (digit)(shiftby % PyLong_SHIFT);
5449
17.6M
    return long_rshift1((PyLongObject *)a, wordshift, remshift);
5450
17.6M
}
5451
5452
static PyObject *
5453
long_lshift1(PyLongObject *a, Py_ssize_t wordshift, digit remshift)
5454
4.14M
{
5455
4.14M
    PyLongObject *z = NULL;
5456
4.14M
    Py_ssize_t oldsize, newsize, i, j;
5457
4.14M
    twodigits accum;
5458
5459
4.14M
    if (wordshift == 0 && _PyLong_IsCompact(a)) {
5460
2.06M
        stwodigits m = medium_value(a);
5461
        // bypass undefined shift operator behavior
5462
2.06M
        stwodigits x = m < 0 ? -(-m << remshift) : m << remshift;
5463
2.06M
        return (PyObject*)_PyLong_FromSTwoDigits(x);
5464
2.06M
    }
5465
5466
2.08M
    oldsize = _PyLong_DigitCount(a);
5467
2.08M
    newsize = oldsize + wordshift;
5468
2.08M
    if (remshift)
5469
2.08M
        ++newsize;
5470
2.08M
    z = long_alloc(newsize);
5471
2.08M
    if (z == NULL)
5472
0
        return NULL;
5473
2.08M
    if (_PyLong_IsNegative(a)) {
5474
1
        assert(Py_REFCNT(z) == 1);
5475
1
        _PyLong_FlipSign(z);
5476
1
    }
5477
2.08M
    for (i = 0; i < wordshift; i++)
5478
1.97k
        z->long_value.ob_digit[i] = 0;
5479
2.08M
    accum = 0;
5480
6.36M
    for (j = 0; j < oldsize; i++, j++) {
5481
4.27M
        accum |= (twodigits)a->long_value.ob_digit[j] << remshift;
5482
4.27M
        z->long_value.ob_digit[i] = (digit)(accum & PyLong_MASK);
5483
4.27M
        accum >>= PyLong_SHIFT;
5484
4.27M
    }
5485
2.08M
    if (remshift)
5486
2.08M
        z->long_value.ob_digit[newsize-1] = (digit)accum;
5487
0
    else
5488
2.08M
        assert(!accum);
5489
2.08M
    z = long_normalize(z);
5490
2.08M
    return (PyObject *) maybe_small_long(z);
5491
2.08M
}
5492
5493
5494
static PyObject *
5495
long_lshift_method(PyObject *aa, PyObject *bb)
5496
4.88M
{
5497
4.88M
    CHECK_BINOP(aa, bb);
5498
4.88M
    PyLongObject *a = (PyLongObject*)aa;
5499
4.88M
    PyLongObject *b = (PyLongObject*)bb;
5500
5501
4.88M
    if (_PyLong_IsNegative(b)) {
5502
0
        PyErr_SetString(PyExc_ValueError, "negative shift count");
5503
0
        return NULL;
5504
0
    }
5505
4.88M
    if (_PyLong_IsZero(a)) {
5506
740k
        return PyLong_FromLong(0);
5507
740k
    }
5508
5509
4.14M
    int64_t shiftby;
5510
4.14M
    if (PyLong_AsInt64(bb, &shiftby) < 0) {
5511
0
        if (PyErr_ExceptionMatches(PyExc_OverflowError)) {
5512
0
            PyErr_SetString(PyExc_OverflowError,
5513
0
                            "too many digits in integer");
5514
0
        }
5515
0
        return NULL;
5516
0
    }
5517
4.14M
    return long_lshift_int64(a, shiftby);
5518
4.14M
}
5519
5520
/* Return a << shiftby. */
5521
static PyObject *
5522
long_lshift_int64(PyLongObject *a, int64_t shiftby)
5523
4.14M
{
5524
4.14M
    assert(shiftby >= 0);
5525
5526
4.14M
    if (_PyLong_IsZero(a)) {
5527
0
        return PyLong_FromLong(0);
5528
0
    }
5529
#if PY_SSIZE_T_MAX <= INT64_MAX / PyLong_SHIFT
5530
    if (shiftby > (int64_t)PY_SSIZE_T_MAX * PyLong_SHIFT) {
5531
        PyErr_SetString(PyExc_OverflowError,
5532
                        "too many digits in integer");
5533
        return NULL;
5534
    }
5535
#endif
5536
4.14M
    Py_ssize_t wordshift = (Py_ssize_t)(shiftby / PyLong_SHIFT);
5537
4.14M
    digit remshift = (digit)(shiftby % PyLong_SHIFT);
5538
4.14M
    return long_lshift1(a, wordshift, remshift);
5539
4.14M
}
5540
5541
PyObject *
5542
_PyLong_Lshift(PyObject *a, int64_t shiftby)
5543
0
{
5544
0
    return long_lshift_int64(_PyLong_CAST(a), shiftby);
5545
0
}
5546
5547
5548
/* Compute two's complement of digit vector a[0:m], writing result to
5549
   z[0:m].  The digit vector a need not be normalized, but should not
5550
   be entirely zero.  a and z may point to the same digit vector. */
5551
5552
static void
5553
v_complement(digit *z, digit *a, Py_ssize_t m)
5554
0
{
5555
0
    Py_ssize_t i;
5556
0
    digit carry = 1;
5557
0
    for (i = 0; i < m; ++i) {
5558
0
        carry += a[i] ^ PyLong_MASK;
5559
0
        z[i] = carry & PyLong_MASK;
5560
0
        carry >>= PyLong_SHIFT;
5561
0
    }
5562
0
    assert(carry == 0);
5563
0
}
5564
5565
/* Bitwise and/xor/or operations */
5566
5567
static PyObject *
5568
long_bitwise(PyLongObject *a,
5569
             char op,  /* '&', '|', '^' */
5570
             PyLongObject *b)
5571
294k
{
5572
294k
    int nega, negb, negz;
5573
294k
    Py_ssize_t size_a, size_b, size_z, i;
5574
294k
    PyLongObject *z;
5575
5576
294k
    PyLongObject *new_a = NULL;
5577
294k
    PyLongObject *new_b = NULL;
5578
5579
    /* Bitwise operations for negative numbers operate as though
5580
       on a two's complement representation.  So convert arguments
5581
       from sign-magnitude to two's complement, and convert the
5582
       result back to sign-magnitude at the end. */
5583
5584
294k
    size_a = _PyLong_DigitCount(a);
5585
294k
    size_b = _PyLong_DigitCount(b);
5586
    /* Swap a and b if necessary to ensure size_a >= size_b. */
5587
294k
    if (size_a < size_b) {
5588
143k
        z = a; a = b; b = z;
5589
143k
        size_z = size_a; size_a = size_b; size_b = size_z;
5590
143k
    }
5591
5592
    /* If a is negative, replace it by its two's complement. */
5593
294k
    nega = _PyLong_IsNegative(a);
5594
294k
    if (nega) {
5595
0
        z = long_alloc(size_a);
5596
0
        if (z == NULL)
5597
0
            return NULL;
5598
0
        v_complement(z->long_value.ob_digit, a->long_value.ob_digit, size_a);
5599
0
        new_a = z; // reference to decrement instead of a itself
5600
0
        a = z;
5601
0
    }
5602
5603
    /* Same for b. */
5604
294k
    negb = _PyLong_IsNegative(b);
5605
294k
    if (negb) {
5606
0
        z = long_alloc(size_b);
5607
0
        if (z == NULL) {
5608
0
            Py_XDECREF(new_a);
5609
0
            return NULL;
5610
0
        }
5611
0
        v_complement(z->long_value.ob_digit, b->long_value.ob_digit, size_b);
5612
0
        new_b = z; // reference to decrement instead of b itself
5613
0
        b = z;
5614
0
    }
5615
5616
    /* JRH: The original logic here was to allocate the result value (z)
5617
       as the longer of the two operands.  However, there are some cases
5618
       where the result is guaranteed to be shorter than that: AND of two
5619
       positives, OR of two negatives: use the shorter number.  AND with
5620
       mixed signs: use the positive number.  OR with mixed signs: use the
5621
       negative number.
5622
    */
5623
294k
    switch (op) {
5624
134k
    case '^':
5625
134k
        negz = nega ^ negb;
5626
134k
        size_z = size_a;
5627
134k
        break;
5628
160k
    case '&':
5629
160k
        negz = nega & negb;
5630
160k
        size_z = negb ? size_a : size_b;
5631
160k
        break;
5632
90
    case '|':
5633
90
        negz = nega | negb;
5634
90
        size_z = negb ? size_b : size_a;
5635
90
        break;
5636
0
    default:
5637
0
        Py_UNREACHABLE();
5638
294k
    }
5639
5640
294k
    if ((size_z + negz) == 0) {
5641
68.9k
        Py_XDECREF(new_a);
5642
68.9k
        Py_XDECREF(new_b);
5643
68.9k
        return get_small_int(0);
5644
68.9k
    }
5645
5646
    /* We allow an extra digit if z is negative, to make sure that
5647
       the final two's complement of z doesn't overflow. */
5648
225k
    z = long_alloc(size_z + negz);
5649
225k
    if (z == NULL) {
5650
0
        Py_XDECREF(new_a);
5651
0
        Py_XDECREF(new_b);
5652
0
        return NULL;
5653
0
    }
5654
5655
    /* Compute digits for overlap of a and b. */
5656
225k
    switch(op) {
5657
91.4k
    case '&':
5658
324k
        for (i = 0; i < size_b; ++i)
5659
233k
            z->long_value.ob_digit[i] = a->long_value.ob_digit[i] & b->long_value.ob_digit[i];
5660
91.4k
        break;
5661
90
    case '|':
5662
158
        for (i = 0; i < size_b; ++i)
5663
68
            z->long_value.ob_digit[i] = a->long_value.ob_digit[i] | b->long_value.ob_digit[i];
5664
90
        break;
5665
134k
    case '^':
5666
325k
        for (i = 0; i < size_b; ++i)
5667
191k
            z->long_value.ob_digit[i] = a->long_value.ob_digit[i] ^ b->long_value.ob_digit[i];
5668
134k
        break;
5669
0
    default:
5670
0
        Py_UNREACHABLE();
5671
225k
    }
5672
5673
    /* Copy any remaining digits of a, inverting if necessary. */
5674
225k
    if (op == '^' && negb)
5675
0
        for (; i < size_z; ++i)
5676
0
            z->long_value.ob_digit[i] = a->long_value.ob_digit[i] ^ PyLong_MASK;
5677
225k
    else if (i < size_z)
5678
77.8k
        memcpy(&z->long_value.ob_digit[i], &a->long_value.ob_digit[i],
5679
77.8k
               (size_z-i)*sizeof(digit));
5680
5681
    /* Complement result if negative. */
5682
225k
    if (negz) {
5683
0
        _PyLong_FlipSign(z);
5684
0
        z->long_value.ob_digit[size_z] = PyLong_MASK;
5685
0
        v_complement(z->long_value.ob_digit, z->long_value.ob_digit, size_z+1);
5686
0
    }
5687
5688
225k
    Py_XDECREF(new_a);
5689
225k
    Py_XDECREF(new_b);
5690
225k
    return (PyObject *)maybe_small_long(long_normalize(z));
5691
225k
}
5692
5693
static PyObject *
5694
long_and(PyObject *a, PyObject *b)
5695
168k
{
5696
168k
    CHECK_BINOP(a, b);
5697
168k
    PyLongObject *x = (PyLongObject*)a;
5698
168k
    PyLongObject *y = (PyLongObject*)b;
5699
168k
    if (_PyLong_IsCompact(x) && _PyLong_IsCompact(y)) {
5700
8.47k
        return (PyObject*)_PyLong_FromSTwoDigits(medium_value(x) & medium_value(y));
5701
8.47k
    }
5702
160k
    return long_bitwise(x, '&', y);
5703
168k
}
5704
5705
static PyObject *
5706
long_xor(PyObject *a, PyObject *b)
5707
134k
{
5708
134k
    CHECK_BINOP(a, b);
5709
134k
    PyLongObject *x = (PyLongObject*)a;
5710
134k
    PyLongObject *y = (PyLongObject*)b;
5711
134k
    if (_PyLong_IsCompact(x) && _PyLong_IsCompact(y)) {
5712
36
        return (PyObject*)_PyLong_FromSTwoDigits(medium_value(x) ^ medium_value(y));
5713
36
    }
5714
134k
    return long_bitwise(x, '^', y);
5715
134k
}
5716
5717
static PyObject *
5718
long_or(PyObject *a, PyObject *b)
5719
826
{
5720
826
    CHECK_BINOP(a, b);
5721
826
    PyLongObject *x = (PyLongObject*)a;
5722
826
    PyLongObject *y = (PyLongObject*)b;
5723
826
    if (_PyLong_IsCompact(x) && _PyLong_IsCompact(y)) {
5724
736
        return (PyObject*)_PyLong_FromSTwoDigits(medium_value(x) | medium_value(y));
5725
736
    }
5726
90
    return long_bitwise(x, '|', y);
5727
826
}
5728
5729
static PyObject *
5730
long_long(PyObject *v)
5731
5.41M
{
5732
5.41M
    if (PyLong_CheckExact(v)) {
5733
5.32M
        return Py_NewRef(v);
5734
5.32M
    }
5735
93.1k
    else {
5736
93.1k
        return _PyLong_Copy((PyLongObject *)v);
5737
93.1k
    }
5738
5.41M
}
5739
5740
PyObject *
5741
_PyLong_GCD(PyObject *aarg, PyObject *barg)
5742
0
{
5743
0
    PyLongObject *a, *b, *c = NULL, *d = NULL, *r;
5744
0
    stwodigits x, y, q, s, t, c_carry, d_carry;
5745
0
    stwodigits A, B, C, D, T;
5746
0
    int nbits, k;
5747
0
    digit *a_digit, *b_digit, *c_digit, *d_digit, *a_end, *b_end;
5748
5749
0
    a = (PyLongObject *)aarg;
5750
0
    b = (PyLongObject *)barg;
5751
0
    if (_PyLong_DigitCount(a) <= 2 && _PyLong_DigitCount(b) <= 2) {
5752
0
        Py_INCREF(a);
5753
0
        Py_INCREF(b);
5754
0
        goto simple;
5755
0
    }
5756
5757
    /* Initial reduction: make sure that 0 <= b <= a. */
5758
0
    a = long_abs(a);
5759
0
    if (a == NULL)
5760
0
        return NULL;
5761
0
    b = long_abs(b);
5762
0
    if (b == NULL) {
5763
0
        Py_DECREF(a);
5764
0
        return NULL;
5765
0
    }
5766
0
    if (long_compare(a, b) < 0) {
5767
0
        r = a;
5768
0
        a = b;
5769
0
        b = r;
5770
0
    }
5771
    /* We now own references to a and b */
5772
5773
0
    Py_ssize_t size_a, size_b, alloc_a, alloc_b;
5774
0
    alloc_a = _PyLong_DigitCount(a);
5775
0
    alloc_b = _PyLong_DigitCount(b);
5776
    /* reduce until a fits into 2 digits */
5777
0
    while ((size_a = _PyLong_DigitCount(a)) > 2) {
5778
0
        nbits = bit_length_digit(a->long_value.ob_digit[size_a-1]);
5779
        /* extract top 2*PyLong_SHIFT bits of a into x, along with
5780
           corresponding bits of b into y */
5781
0
        size_b = _PyLong_DigitCount(b);
5782
0
        assert(size_b <= size_a);
5783
0
        if (size_b == 0) {
5784
0
            if (size_a < alloc_a) {
5785
0
                r = (PyLongObject *)_PyLong_Copy(a);
5786
0
                Py_DECREF(a);
5787
0
            }
5788
0
            else
5789
0
                r = a;
5790
0
            Py_DECREF(b);
5791
0
            Py_XDECREF(c);
5792
0
            Py_XDECREF(d);
5793
0
            return (PyObject *)r;
5794
0
        }
5795
0
        x = (((twodigits)a->long_value.ob_digit[size_a-1] << (2*PyLong_SHIFT-nbits)) |
5796
0
             ((twodigits)a->long_value.ob_digit[size_a-2] << (PyLong_SHIFT-nbits)) |
5797
0
             (a->long_value.ob_digit[size_a-3] >> nbits));
5798
5799
0
        y = ((size_b >= size_a - 2 ? b->long_value.ob_digit[size_a-3] >> nbits : 0) |
5800
0
             (size_b >= size_a - 1 ? (twodigits)b->long_value.ob_digit[size_a-2] << (PyLong_SHIFT-nbits) : 0) |
5801
0
             (size_b >= size_a ? (twodigits)b->long_value.ob_digit[size_a-1] << (2*PyLong_SHIFT-nbits) : 0));
5802
5803
        /* inner loop of Lehmer's algorithm; A, B, C, D never grow
5804
           larger than PyLong_MASK during the algorithm. */
5805
0
        A = 1; B = 0; C = 0; D = 1;
5806
0
        for (k=0;; k++) {
5807
0
            if (y-C == 0)
5808
0
                break;
5809
0
            q = (x+(A-1))/(y-C);
5810
0
            s = B+q*D;
5811
0
            t = x-q*y;
5812
0
            if (s > t)
5813
0
                break;
5814
0
            x = y; y = t;
5815
0
            t = A+q*C; A = D; B = C; C = s; D = t;
5816
0
        }
5817
5818
0
        if (k == 0) {
5819
            /* no progress; do a Euclidean step */
5820
0
            if (l_mod(a, b, &r) < 0)
5821
0
                goto error;
5822
0
            Py_SETREF(a, b);
5823
0
            b = r;
5824
0
            alloc_a = alloc_b;
5825
0
            alloc_b = _PyLong_DigitCount(b);
5826
0
            continue;
5827
0
        }
5828
5829
        /*
5830
          a, b = A*b-B*a, D*a-C*b if k is odd
5831
          a, b = A*a-B*b, D*b-C*a if k is even
5832
        */
5833
0
        if (k&1) {
5834
0
            T = -A; A = -B; B = T;
5835
0
            T = -C; C = -D; D = T;
5836
0
        }
5837
0
        if (c != NULL) {
5838
0
            assert(size_a >= 0);
5839
0
            _PyLong_SetSignAndDigitCount(c, 1, size_a);
5840
0
        }
5841
0
        else if (_PyObject_IsUniquelyReferenced((PyObject *)a)) {
5842
0
            c = (PyLongObject*)Py_NewRef(a);
5843
0
        }
5844
0
        else {
5845
0
            alloc_a = size_a;
5846
0
            c = long_alloc(size_a);
5847
0
            if (c == NULL)
5848
0
                goto error;
5849
0
        }
5850
5851
0
        if (d != NULL) {
5852
0
            assert(size_a >= 0);
5853
0
            _PyLong_SetSignAndDigitCount(d, 1, size_a);
5854
0
        }
5855
0
        else if (_PyObject_IsUniquelyReferenced((PyObject *)b)
5856
0
                 && size_a <= alloc_b) {
5857
0
            d = (PyLongObject*)Py_NewRef(b);
5858
0
            assert(size_a >= 0);
5859
0
            _PyLong_SetSignAndDigitCount(d, 1, size_a);
5860
0
        }
5861
0
        else {
5862
0
            alloc_b = size_a;
5863
0
            d = long_alloc(size_a);
5864
0
            if (d == NULL)
5865
0
                goto error;
5866
0
        }
5867
0
        a_end = a->long_value.ob_digit + size_a;
5868
0
        b_end = b->long_value.ob_digit + size_b;
5869
5870
        /* compute new a and new b in parallel */
5871
0
        a_digit = a->long_value.ob_digit;
5872
0
        b_digit = b->long_value.ob_digit;
5873
0
        c_digit = c->long_value.ob_digit;
5874
0
        d_digit = d->long_value.ob_digit;
5875
0
        c_carry = 0;
5876
0
        d_carry = 0;
5877
0
        while (b_digit < b_end) {
5878
0
            c_carry += (A * *a_digit) - (B * *b_digit);
5879
0
            d_carry += (D * *b_digit++) - (C * *a_digit++);
5880
0
            *c_digit++ = (digit)(c_carry & PyLong_MASK);
5881
0
            *d_digit++ = (digit)(d_carry & PyLong_MASK);
5882
0
            c_carry >>= PyLong_SHIFT;
5883
0
            d_carry >>= PyLong_SHIFT;
5884
0
        }
5885
0
        while (a_digit < a_end) {
5886
0
            c_carry += A * *a_digit;
5887
0
            d_carry -= C * *a_digit++;
5888
0
            *c_digit++ = (digit)(c_carry & PyLong_MASK);
5889
0
            *d_digit++ = (digit)(d_carry & PyLong_MASK);
5890
0
            c_carry >>= PyLong_SHIFT;
5891
0
            d_carry >>= PyLong_SHIFT;
5892
0
        }
5893
0
        assert(c_carry == 0);
5894
0
        assert(d_carry == 0);
5895
5896
0
        Py_INCREF(c);
5897
0
        Py_INCREF(d);
5898
0
        Py_DECREF(a);
5899
0
        Py_DECREF(b);
5900
0
        a = long_normalize(c);
5901
0
        b = long_normalize(d);
5902
0
    }
5903
0
    Py_XDECREF(c);
5904
0
    Py_XDECREF(d);
5905
5906
0
simple:
5907
0
    assert(Py_REFCNT(a) > 0);
5908
0
    assert(Py_REFCNT(b) > 0);
5909
/* Issue #24999: use two shifts instead of ">> 2*PyLong_SHIFT" to avoid
5910
   undefined behaviour when LONG_MAX type is smaller than 60 bits */
5911
0
#if LONG_MAX >> PyLong_SHIFT >> PyLong_SHIFT
5912
    /* a fits into a long, so b must too */
5913
0
    x = PyLong_AsLong((PyObject *)a);
5914
0
    y = PyLong_AsLong((PyObject *)b);
5915
#elif LLONG_MAX >> PyLong_SHIFT >> PyLong_SHIFT
5916
    x = PyLong_AsLongLong((PyObject *)a);
5917
    y = PyLong_AsLongLong((PyObject *)b);
5918
#else
5919
# error "_PyLong_GCD"
5920
#endif
5921
0
    x = Py_ABS(x);
5922
0
    y = Py_ABS(y);
5923
0
    Py_DECREF(a);
5924
0
    Py_DECREF(b);
5925
5926
    /* usual Euclidean algorithm for longs */
5927
0
    while (y != 0) {
5928
0
        t = y;
5929
0
        y = x % y;
5930
0
        x = t;
5931
0
    }
5932
0
#if LONG_MAX >> PyLong_SHIFT >> PyLong_SHIFT
5933
0
    return PyLong_FromLong(x);
5934
#elif LLONG_MAX >> PyLong_SHIFT >> PyLong_SHIFT
5935
    return PyLong_FromLongLong(x);
5936
#else
5937
# error "_PyLong_GCD"
5938
#endif
5939
5940
0
error:
5941
0
    Py_DECREF(a);
5942
0
    Py_DECREF(b);
5943
0
    Py_XDECREF(c);
5944
0
    Py_XDECREF(d);
5945
0
    return NULL;
5946
0
}
5947
5948
static PyObject *
5949
long_float(PyObject *v)
5950
12
{
5951
12
    double result;
5952
12
    result = PyLong_AsDouble(v);
5953
12
    if (result == -1.0 && PyErr_Occurred())
5954
0
        return NULL;
5955
12
    return PyFloat_FromDouble(result);
5956
12
}
5957
5958
static PyObject *
5959
long_subtype_new(PyTypeObject *type, PyObject *x, PyObject *obase);
5960
5961
/*[clinic input]
5962
@classmethod
5963
int.__new__ as long_new
5964
    x: object(c_default="NULL") = 0
5965
    /
5966
    base as obase: object(c_default="NULL") = 10
5967
[clinic start generated code]*/
5968
5969
static PyObject *
5970
long_new_impl(PyTypeObject *type, PyObject *x, PyObject *obase)
5971
/*[clinic end generated code: output=e47cfe777ab0f24c input=81c98f418af9eb6f]*/
5972
12.4M
{
5973
12.4M
    Py_ssize_t base;
5974
5975
12.4M
    if (type != &PyLong_Type)
5976
4.91k
        return long_subtype_new(type, x, obase); /* Wimp out */
5977
12.4M
    if (x == NULL) {
5978
30
        if (obase != NULL) {
5979
0
            PyErr_SetString(PyExc_TypeError,
5980
0
                            "int() missing string argument");
5981
0
            return NULL;
5982
0
        }
5983
30
        return PyLong_FromLong(0L);
5984
30
    }
5985
    /* default base and limit, forward to standard implementation */
5986
12.4M
    if (obase == NULL)
5987
4.88k
        return PyNumber_Long(x);
5988
5989
12.4M
    base = PyNumber_AsSsize_t(obase, NULL);
5990
12.4M
    if (base == -1 && PyErr_Occurred())
5991
0
        return NULL;
5992
12.4M
    if ((base != 0 && base < 2) || base > 36) {
5993
0
        PyErr_SetString(PyExc_ValueError,
5994
0
                        "int() base must be >= 2 and <= 36, or 0");
5995
0
        return NULL;
5996
0
    }
5997
5998
12.4M
    if (PyUnicode_Check(x))
5999
10.1M
        return PyLong_FromUnicodeObject(x, (int)base);
6000
2.29M
    else if (PyByteArray_Check(x) || PyBytes_Check(x)) {
6001
2.29M
        const char *string;
6002
2.29M
        if (PyByteArray_Check(x))
6003
2.29M
            string = PyByteArray_AS_STRING(x);
6004
0
        else
6005
0
            string = PyBytes_AS_STRING(x);
6006
2.29M
        return _PyLong_FromBytes(string, Py_SIZE(x), (int)base);
6007
2.29M
    }
6008
0
    else {
6009
0
        PyErr_SetString(PyExc_TypeError,
6010
0
                        "int() can't convert non-string with explicit base");
6011
0
        return NULL;
6012
0
    }
6013
12.4M
}
6014
6015
/* Wimpy, slow approach to tp_new calls for subtypes of int:
6016
   first create a regular int from whatever arguments we got,
6017
   then allocate a subtype instance and initialize it from
6018
   the regular int.  The regular int is then thrown away.
6019
*/
6020
static PyObject *
6021
long_subtype_new(PyTypeObject *type, PyObject *x, PyObject *obase)
6022
4.91k
{
6023
4.91k
    PyLongObject *tmp, *newobj;
6024
4.91k
    Py_ssize_t size, ndigits;
6025
4.91k
    int sign;
6026
6027
4.91k
    assert(PyType_IsSubtype(type, &PyLong_Type));
6028
4.91k
    tmp = (PyLongObject *)long_new_impl(&PyLong_Type, x, obase);
6029
4.91k
    if (tmp == NULL)
6030
0
        return NULL;
6031
4.91k
    assert(PyLong_Check(tmp));
6032
4.91k
    size = _PyLong_DigitCount(tmp);
6033
    /* Fast operations for single digit integers (including zero)
6034
     * assume that there is always at least one digit present. */
6035
4.91k
    ndigits = size ? size : 1;
6036
4.91k
    newobj = (PyLongObject *)type->tp_alloc(type, ndigits);
6037
4.91k
    if (newobj == NULL) {
6038
0
        Py_DECREF(tmp);
6039
0
        return NULL;
6040
0
    }
6041
4.91k
    assert(PyLong_Check(newobj));
6042
4.91k
    if (_PyLong_IsCompact(tmp)) {
6043
4.86k
        sign = _PyLong_CompactSign(tmp);
6044
4.86k
    }
6045
48
    else {
6046
48
        sign = _PyLong_NonCompactSign(tmp);
6047
48
    }
6048
4.91k
    _PyLong_InitTag(newobj);
6049
4.91k
    _PyLong_SetSignAndDigitCount(newobj, sign, size);
6050
4.91k
    memcpy(newobj->long_value.ob_digit, tmp->long_value.ob_digit,
6051
4.91k
           ndigits * sizeof(digit));
6052
4.91k
    Py_DECREF(tmp);
6053
4.91k
    return (PyObject *)newobj;
6054
4.91k
}
6055
6056
/*[clinic input]
6057
int.__getnewargs__
6058
[clinic start generated code]*/
6059
6060
static PyObject *
6061
int___getnewargs___impl(PyObject *self)
6062
/*[clinic end generated code: output=839a49de3f00b61b input=5904770ab1fb8c75]*/
6063
0
{
6064
0
    return Py_BuildValue("(N)", _PyLong_Copy((PyLongObject *)self));
6065
0
}
6066
6067
static PyObject *
6068
long_get0(PyObject *Py_UNUSED(self), void *Py_UNUSED(context))
6069
0
{
6070
0
    return PyLong_FromLong(0L);
6071
0
}
6072
6073
static PyObject *
6074
long_get1(PyObject *Py_UNUSED(self), void *Py_UNUSED(ignored))
6075
0
{
6076
0
    return PyLong_FromLong(1L);
6077
0
}
6078
6079
/*[clinic input]
6080
int.__format__
6081
6082
    format_spec: unicode
6083
    /
6084
6085
Convert to a string according to format_spec.
6086
[clinic start generated code]*/
6087
6088
static PyObject *
6089
int___format___impl(PyObject *self, PyObject *format_spec)
6090
/*[clinic end generated code: output=b4929dee9ae18689 input=d5e1254a47e8d1dc]*/
6091
124
{
6092
124
    _PyUnicodeWriter writer;
6093
124
    int ret;
6094
6095
124
    _PyUnicodeWriter_Init(&writer);
6096
124
    ret = _PyLong_FormatAdvancedWriter(
6097
124
        &writer,
6098
124
        self,
6099
124
        format_spec, 0, PyUnicode_GET_LENGTH(format_spec));
6100
124
    if (ret == -1) {
6101
0
        _PyUnicodeWriter_Dealloc(&writer);
6102
0
        return NULL;
6103
0
    }
6104
124
    return _PyUnicodeWriter_Finish(&writer);
6105
124
}
6106
6107
/* Return a pair (q, r) such that a = b * q + r, and
6108
   abs(r) <= abs(b)/2, with equality possible only if q is even.
6109
   In other words, q == a / b, rounded to the nearest integer using
6110
   round-half-to-even. */
6111
6112
PyObject *
6113
_PyLong_DivmodNear(PyObject *a, PyObject *b)
6114
0
{
6115
0
    PyLongObject *quo = NULL, *rem = NULL;
6116
0
    PyObject *twice_rem, *temp;
6117
0
    int quo_is_odd, quo_is_neg;
6118
0
    Py_ssize_t cmp;
6119
6120
    /* Equivalent Python code:
6121
6122
       def divmod_near(a, b):
6123
           q, r = divmod(a, b)
6124
           # round up if either r / b > 0.5, or r / b == 0.5 and q is odd.
6125
           # The expression r / b > 0.5 is equivalent to 2 * r > b if b is
6126
           # positive, 2 * r < b if b negative.
6127
           greater_than_half = 2*r > b if b > 0 else 2*r < b
6128
           exactly_half = 2*r == b
6129
           if greater_than_half or exactly_half and q % 2 == 1:
6130
               q += 1
6131
               r -= b
6132
           return q, r
6133
6134
    */
6135
0
    if (!PyLong_Check(a) || !PyLong_Check(b)) {
6136
0
        PyErr_SetString(PyExc_TypeError,
6137
0
                        "non-integer arguments in division");
6138
0
        return NULL;
6139
0
    }
6140
6141
    /* Do a and b have different signs?  If so, quotient is negative. */
6142
0
    quo_is_neg = (_PyLong_IsNegative((PyLongObject *)a)) != (_PyLong_IsNegative((PyLongObject *)b));
6143
6144
0
    if (long_divrem((PyLongObject*)a, (PyLongObject*)b, &quo, &rem) < 0)
6145
0
        goto error;
6146
6147
    /* compare twice the remainder with the divisor, to see
6148
       if we need to adjust the quotient and remainder */
6149
0
    twice_rem = long_lshift_int64(rem, 1);
6150
0
    if (twice_rem == NULL)
6151
0
        goto error;
6152
0
    if (quo_is_neg) {
6153
0
        temp = (PyObject*)long_neg((PyLongObject*)twice_rem);
6154
0
        Py_SETREF(twice_rem, temp);
6155
0
        if (twice_rem == NULL)
6156
0
            goto error;
6157
0
    }
6158
0
    cmp = long_compare((PyLongObject *)twice_rem, (PyLongObject *)b);
6159
0
    Py_DECREF(twice_rem);
6160
6161
0
    quo_is_odd = (quo->long_value.ob_digit[0] & 1) != 0;
6162
0
    if ((_PyLong_IsNegative((PyLongObject *)b) ? cmp < 0 : cmp > 0) || (cmp == 0 && quo_is_odd)) {
6163
        /* fix up quotient */
6164
0
        PyObject *one = _PyLong_GetOne();  // borrowed reference
6165
0
        if (quo_is_neg)
6166
0
            temp = (PyObject*)long_sub(quo, (PyLongObject *)one);
6167
0
        else
6168
0
            temp = (PyObject*)long_add(quo, (PyLongObject *)one);
6169
0
        Py_SETREF(quo, (PyLongObject *)temp);
6170
0
        if (quo == NULL)
6171
0
            goto error;
6172
        /* and remainder */
6173
0
        if (quo_is_neg)
6174
0
            temp = (PyObject*)long_add(rem, (PyLongObject *)b);
6175
0
        else
6176
0
            temp = (PyObject*)long_sub(rem, (PyLongObject *)b);
6177
0
        Py_SETREF(rem, (PyLongObject *)temp);
6178
0
        if (rem == NULL)
6179
0
            goto error;
6180
0
    }
6181
6182
0
    return _PyTuple_FromPairSteal((PyObject *)quo, (PyObject *)rem);
6183
6184
0
  error:
6185
0
    Py_XDECREF(quo);
6186
0
    Py_XDECREF(rem);
6187
0
    return NULL;
6188
0
}
6189
6190
/*[clinic input]
6191
int.__round__
6192
6193
    ndigits as o_ndigits: object = None
6194
    /
6195
6196
Rounding an Integral returns itself.
6197
6198
Rounding with an ndigits argument also returns an integer.
6199
[clinic start generated code]*/
6200
6201
static PyObject *
6202
int___round___impl(PyObject *self, PyObject *o_ndigits)
6203
/*[clinic end generated code: output=954fda6b18875998 input=30c2aec788263144]*/
6204
0
{
6205
    /* To round an integer m to the nearest 10**n (n positive), we make use of
6206
     * the divmod_near operation, defined by:
6207
     *
6208
     *   divmod_near(a, b) = (q, r)
6209
     *
6210
     * where q is the nearest integer to the quotient a / b (the
6211
     * nearest even integer in the case of a tie) and r == a - q * b.
6212
     * Hence q * b = a - r is the nearest multiple of b to a,
6213
     * preferring even multiples in the case of a tie.
6214
     *
6215
     * So the nearest multiple of 10**n to m is:
6216
     *
6217
     *   m - divmod_near(m, 10**n)[1].
6218
     */
6219
0
    if (o_ndigits == Py_None)
6220
0
        return long_long(self);
6221
6222
0
    PyObject *ndigits = _PyNumber_Index(o_ndigits);
6223
0
    if (ndigits == NULL)
6224
0
        return NULL;
6225
6226
    /* if ndigits >= 0 then no rounding is necessary; return self unchanged */
6227
0
    if (!_PyLong_IsNegative((PyLongObject *)ndigits)) {
6228
0
        Py_DECREF(ndigits);
6229
0
        return long_long(self);
6230
0
    }
6231
6232
    /* result = self - divmod_near(self, 10 ** -ndigits)[1] */
6233
0
    PyObject *temp = (PyObject*)long_neg((PyLongObject*)ndigits);
6234
0
    Py_SETREF(ndigits, temp);
6235
0
    if (ndigits == NULL)
6236
0
        return NULL;
6237
6238
0
    PyObject *result = PyLong_FromLong(10);
6239
0
    if (result == NULL) {
6240
0
        Py_DECREF(ndigits);
6241
0
        return NULL;
6242
0
    }
6243
6244
0
    temp = long_pow(result, ndigits, Py_None);
6245
0
    Py_DECREF(ndigits);
6246
0
    Py_SETREF(result, temp);
6247
0
    if (result == NULL)
6248
0
        return NULL;
6249
6250
0
    temp = _PyLong_DivmodNear(self, result);
6251
0
    Py_SETREF(result, temp);
6252
0
    if (result == NULL)
6253
0
        return NULL;
6254
6255
0
    temp = (PyObject*)long_sub((PyLongObject*)self,
6256
0
                               (PyLongObject*)PyTuple_GET_ITEM(result, 1));
6257
0
    Py_SETREF(result, temp);
6258
6259
0
    return result;
6260
0
}
6261
6262
/*[clinic input]
6263
int.__sizeof__ -> Py_ssize_t
6264
6265
Returns size in memory, in bytes.
6266
[clinic start generated code]*/
6267
6268
static Py_ssize_t
6269
int___sizeof___impl(PyObject *self)
6270
/*[clinic end generated code: output=3303f008eaa6a0a5 input=9b51620c76fc4507]*/
6271
0
{
6272
    /* using Py_MAX(..., 1) because we always allocate space for at least
6273
       one digit, even though the integer zero has a digit count of 0 */
6274
0
    Py_ssize_t ndigits = Py_MAX(_PyLong_DigitCount((PyLongObject *)self), 1);
6275
0
    return Py_TYPE(self)->tp_basicsize + Py_TYPE(self)->tp_itemsize * ndigits;
6276
0
}
6277
6278
/*[clinic input]
6279
int.bit_length
6280
6281
Number of bits necessary to represent self in binary.
6282
6283
>>> bin(37)
6284
'0b100101'
6285
>>> (37).bit_length()
6286
6
6287
[clinic start generated code]*/
6288
6289
static PyObject *
6290
int_bit_length_impl(PyObject *self)
6291
/*[clinic end generated code: output=fc1977c9353d6a59 input=e4eb7a587e849a32]*/
6292
2.78M
{
6293
2.78M
    int64_t nbits = _PyLong_NumBits(self);
6294
2.78M
    assert(nbits >= 0);
6295
2.78M
    assert(!PyErr_Occurred());
6296
2.78M
    return PyLong_FromInt64(nbits);
6297
2.78M
}
6298
6299
static int
6300
popcount_digit(digit d)
6301
0
{
6302
    // digit can be larger than uint32_t, but only PyLong_SHIFT bits
6303
    // of it will be ever used.
6304
0
    static_assert(PyLong_SHIFT <= 32, "digit is larger than uint32_t");
6305
0
    return _Py_popcount32((uint32_t)d);
6306
0
}
6307
6308
/*[clinic input]
6309
@permit_long_summary
6310
int.bit_count
6311
6312
Number of ones in the binary representation of the absolute value of self.
6313
6314
Also known as the population count.
6315
6316
>>> bin(13)
6317
'0b1101'
6318
>>> (13).bit_count()
6319
3
6320
[clinic start generated code]*/
6321
6322
static PyObject *
6323
int_bit_count_impl(PyObject *self)
6324
/*[clinic end generated code: output=2e571970daf1e5c3 input=f2510a306761db15]*/
6325
0
{
6326
0
    assert(self != NULL);
6327
0
    assert(PyLong_Check(self));
6328
6329
0
    PyLongObject *z = (PyLongObject *)self;
6330
0
    Py_ssize_t ndigits = _PyLong_DigitCount(z);
6331
0
    int64_t bit_count = 0;
6332
6333
0
    for (Py_ssize_t i = 0; i < ndigits; i++) {
6334
0
        bit_count += popcount_digit(z->long_value.ob_digit[i]);
6335
0
    }
6336
6337
0
    return PyLong_FromInt64(bit_count);
6338
0
}
6339
6340
/*[clinic input]
6341
int.as_integer_ratio
6342
6343
Return a pair of integers, whose ratio is equal to the original int.
6344
6345
The ratio is in lowest terms and has a positive denominator.
6346
6347
>>> (10).as_integer_ratio()
6348
(10, 1)
6349
>>> (-10).as_integer_ratio()
6350
(-10, 1)
6351
>>> (0).as_integer_ratio()
6352
(0, 1)
6353
[clinic start generated code]*/
6354
6355
static PyObject *
6356
int_as_integer_ratio_impl(PyObject *self)
6357
/*[clinic end generated code: output=e60803ae1cc8621a input=384ff1766634bec2]*/
6358
0
{
6359
0
    PyObject *numerator = long_long(self);
6360
0
    if (numerator == NULL) {
6361
0
        return NULL;
6362
0
    }
6363
0
    return _PyTuple_FromPairSteal(numerator, _PyLong_GetOne());
6364
0
}
6365
6366
/*[clinic input]
6367
int.to_bytes
6368
6369
    length: Py_ssize_t(allow_negative=False) = 1
6370
        Length of bytes object to use.  An OverflowError is raised if the
6371
        integer is not representable with the given number of bytes.  Default
6372
        is length 1.
6373
    byteorder: unicode(c_default="NULL") = "big"
6374
        The byte order used to represent the integer.  If byteorder is 'big',
6375
        the most significant byte is at the beginning of the byte array.  If
6376
        byteorder is 'little', the most significant byte is at the end of the
6377
        byte array.  To request the native byte order of the host system, use
6378
        sys.byteorder as the byte order value.  Default is to use 'big'.
6379
    *
6380
    signed as is_signed: bool = False
6381
        Determines whether two's complement is used to represent the integer.
6382
        If signed is False and a negative integer is given, an OverflowError
6383
        is raised.
6384
6385
Return an array of bytes representing an integer.
6386
[clinic start generated code]*/
6387
6388
static PyObject *
6389
int_to_bytes_impl(PyObject *self, Py_ssize_t length, PyObject *byteorder,
6390
                  int is_signed)
6391
/*[clinic end generated code: output=89c801df114050a3 input=66f9d0c20529b44f]*/
6392
297k
{
6393
297k
    int little_endian;
6394
297k
    if (byteorder == NULL)
6395
0
        little_endian = 0;
6396
297k
    else if (_PyUnicode_Equal(byteorder, &_Py_ID(little)))
6397
546
        little_endian = 1;
6398
297k
    else if (_PyUnicode_Equal(byteorder, &_Py_ID(big)))
6399
297k
        little_endian = 0;
6400
0
    else {
6401
0
        PyErr_SetString(PyExc_ValueError,
6402
0
            "byteorder must be either 'little' or 'big'");
6403
0
        return NULL;
6404
0
    }
6405
6406
297k
    PyBytesWriter *writer = PyBytesWriter_Create(length);
6407
297k
    if (writer == NULL) {
6408
0
        return NULL;
6409
0
    }
6410
6411
297k
    if (_PyLong_AsByteArray((PyLongObject *)self,
6412
297k
                            PyBytesWriter_GetData(writer),
6413
297k
                            length, little_endian, is_signed, 1) < 0) {
6414
0
        PyBytesWriter_Discard(writer);
6415
0
        return NULL;
6416
0
    }
6417
6418
297k
    return PyBytesWriter_Finish(writer);
6419
297k
}
6420
6421
/*[clinic input]
6422
@classmethod
6423
int.from_bytes
6424
6425
    bytes as bytes_obj: object
6426
        Holds the array of bytes to convert.  The argument must either
6427
        support the buffer protocol or be an iterable object producing bytes.
6428
        Bytes and bytearray are examples of built-in objects that support the
6429
        buffer protocol.
6430
    byteorder: unicode(c_default="NULL") = "big"
6431
        The byte order used to represent the integer.  If byteorder is 'big',
6432
        the most significant byte is at the beginning of the byte array.  If
6433
        byteorder is 'little', the most significant byte is at the end of the
6434
        byte array.  To request the native byte order of the host system, use
6435
        sys.byteorder as the byte order value.  Default is to use 'big'.
6436
    *
6437
    signed as is_signed: bool = False
6438
        Indicates whether two's complement is used to represent the integer.
6439
6440
Return the integer represented by the given array of bytes.
6441
[clinic start generated code]*/
6442
6443
static PyObject *
6444
int_from_bytes_impl(PyTypeObject *type, PyObject *bytes_obj,
6445
                    PyObject *byteorder, int is_signed)
6446
/*[clinic end generated code: output=efc5d68e31f9314f input=2ff527997fe7b0c5]*/
6447
15.1M
{
6448
15.1M
    int little_endian;
6449
15.1M
    PyObject *long_obj, *bytes;
6450
6451
15.1M
    if (byteorder == NULL)
6452
0
        little_endian = 0;
6453
15.1M
    else if (_PyUnicode_Equal(byteorder, &_Py_ID(little)))
6454
18.3k
        little_endian = 1;
6455
15.1M
    else if (_PyUnicode_Equal(byteorder, &_Py_ID(big)))
6456
15.1M
        little_endian = 0;
6457
0
    else {
6458
0
        PyErr_SetString(PyExc_ValueError,
6459
0
            "byteorder must be either 'little' or 'big'");
6460
0
        return NULL;
6461
0
    }
6462
6463
    /* Fast-path exact bytes. */
6464
15.1M
    if (PyBytes_CheckExact(bytes_obj)) {
6465
15.1M
        long_obj = _PyLong_FromByteArray(
6466
15.1M
            (unsigned char *)PyBytes_AS_STRING(bytes_obj), Py_SIZE(bytes_obj),
6467
15.1M
            little_endian, is_signed);
6468
15.1M
    }
6469
    /* Use buffer protocol to avoid copies. */
6470
176
    else if (PyObject_CheckBuffer(bytes_obj)) {
6471
0
        Py_buffer view;
6472
0
        if (PyObject_GetBuffer(bytes_obj, &view, PyBUF_SIMPLE) != 0) {
6473
0
            return NULL;
6474
0
        }
6475
0
        long_obj = _PyLong_FromByteArray(view.buf, view.len, little_endian,
6476
0
            is_signed);
6477
0
        PyBuffer_Release(&view);
6478
0
    }
6479
176
    else {
6480
        /* fallback: Construct a bytes then convert. */
6481
176
        bytes = PyObject_Bytes(bytes_obj);
6482
176
        if (bytes == NULL) {
6483
0
            return NULL;
6484
0
        }
6485
176
        long_obj = _PyLong_FromByteArray(
6486
176
            (unsigned char *)PyBytes_AS_STRING(bytes), Py_SIZE(bytes),
6487
176
            little_endian, is_signed);
6488
176
        Py_DECREF(bytes);
6489
176
    }
6490
6491
15.1M
    if (long_obj != NULL && type != &PyLong_Type) {
6492
0
        Py_SETREF(long_obj, PyObject_CallOneArg((PyObject *)type, long_obj));
6493
0
    }
6494
6495
15.1M
    return long_obj;
6496
15.1M
}
6497
6498
static PyObject *
6499
long_long_meth(PyObject *self, PyObject *Py_UNUSED(ignored))
6500
0
{
6501
0
    return long_long(self);
6502
0
}
6503
6504
static PyObject *
6505
long_long_getter(PyObject *self, void *Py_UNUSED(ignored))
6506
0
{
6507
0
    return long_long(self);
6508
0
}
6509
6510
/*[clinic input]
6511
int.is_integer
6512
6513
Returns True. Exists for duck type compatibility with float.is_integer.
6514
[clinic start generated code]*/
6515
6516
static PyObject *
6517
int_is_integer_impl(PyObject *self)
6518
/*[clinic end generated code: output=90f8e794ce5430ef input=7e41c4d4416e05f2]*/
6519
0
{
6520
0
    Py_RETURN_TRUE;
6521
0
}
6522
6523
static PyObject *
6524
long_vectorcall(PyObject *type, PyObject * const*args,
6525
                 size_t nargsf, PyObject *kwnames)
6526
17.9M
{
6527
17.9M
    Py_ssize_t nargs = PyVectorcall_NARGS(nargsf);
6528
17.9M
    if (kwnames != NULL) {
6529
0
        PyThreadState *tstate = PyThreadState_GET();
6530
0
        return _PyObject_MakeTpCall(tstate, type, args, nargs, kwnames);
6531
0
    }
6532
17.9M
    switch (nargs) {
6533
8
        case 0:
6534
8
            return _PyLong_GetZero();
6535
5.56M
        case 1:
6536
5.56M
            return PyNumber_Long(args[0]);
6537
12.4M
        case 2:
6538
12.4M
            return long_new_impl(_PyType_CAST(type), args[0], args[1]);
6539
0
        default:
6540
0
            return PyErr_Format(PyExc_TypeError,
6541
0
                                "int expected at most 2 arguments, got %zd",
6542
0
                                nargs);
6543
17.9M
    }
6544
17.9M
}
6545
6546
static PyMethodDef long_methods[] = {
6547
    {"conjugate",       long_long_meth, METH_NOARGS,
6548
     "Returns self, the complex conjugate of any int."},
6549
    INT_BIT_LENGTH_METHODDEF
6550
    INT_BIT_COUNT_METHODDEF
6551
    INT_TO_BYTES_METHODDEF
6552
    INT_FROM_BYTES_METHODDEF
6553
    INT_AS_INTEGER_RATIO_METHODDEF
6554
    {"__trunc__",       long_long_meth, METH_NOARGS,
6555
     "Truncating an Integral returns itself."},
6556
    {"__floor__",       long_long_meth, METH_NOARGS,
6557
     "Flooring an Integral returns itself."},
6558
    {"__ceil__",        long_long_meth, METH_NOARGS,
6559
     "Ceiling of an Integral returns itself."},
6560
    INT___ROUND___METHODDEF
6561
    INT___GETNEWARGS___METHODDEF
6562
    INT___FORMAT___METHODDEF
6563
    INT___SIZEOF___METHODDEF
6564
    INT_IS_INTEGER_METHODDEF
6565
    {NULL,              NULL}           /* sentinel */
6566
};
6567
6568
static PyGetSetDef long_getset[] = {
6569
    {"real",
6570
     long_long_getter, NULL,
6571
     "the real part of a complex number",
6572
     NULL},
6573
    {"imag",
6574
     long_get0, NULL,
6575
     "the imaginary part of a complex number",
6576
     NULL},
6577
    {"numerator",
6578
     long_long_getter, NULL,
6579
     "the numerator of a rational number in lowest terms",
6580
     NULL},
6581
    {"denominator",
6582
     long_get1, NULL,
6583
     "the denominator of a rational number in lowest terms",
6584
     NULL},
6585
    {NULL}  /* Sentinel */
6586
};
6587
6588
PyDoc_STRVAR(long_doc,
6589
"int([x]) -> integer\n\
6590
int(x, base=10) -> integer\n\
6591
\n\
6592
Convert a number or string to an integer, or return 0 if no arguments\n\
6593
are given.  If x is a number, return x.__int__().  For floating-point\n\
6594
numbers, this truncates towards zero.\n\
6595
\n\
6596
If x is not a number or if base is given, then x must be a string,\n\
6597
bytes, or bytearray instance representing an integer literal in the\n\
6598
given base.  The literal can be preceded by '+' or '-' and be surrounded\n\
6599
by whitespace.  The base defaults to 10.  Valid bases are 0 and 2-36.\n\
6600
Base 0 means to interpret the base from the string as an integer literal.\n\
6601
>>> int('0b100', base=0)\n\
6602
4");
6603
6604
static PyNumberMethods long_as_number = {
6605
    long_add_method,            /*nb_add*/
6606
    long_sub_method,            /*nb_subtract*/
6607
    long_mul_method,            /*nb_multiply*/
6608
    long_mod,                   /*nb_remainder*/
6609
    long_divmod,                /*nb_divmod*/
6610
    long_pow,                   /*nb_power*/
6611
    long_neg_method,            /*nb_negative*/
6612
    long_long,                  /*tp_positive*/
6613
    long_abs_method,            /*tp_absolute*/
6614
    long_bool,                  /*tp_bool*/
6615
    long_invert,                /*nb_invert*/
6616
    long_lshift_method,         /*nb_lshift*/
6617
    long_rshift,                /*nb_rshift*/
6618
    long_and,                   /*nb_and*/
6619
    long_xor,                   /*nb_xor*/
6620
    long_or,                    /*nb_or*/
6621
    long_long,                  /*nb_int*/
6622
    0,                          /*nb_reserved*/
6623
    long_float,                 /*nb_float*/
6624
    0,                          /* nb_inplace_add */
6625
    0,                          /* nb_inplace_subtract */
6626
    0,                          /* nb_inplace_multiply */
6627
    0,                          /* nb_inplace_remainder */
6628
    0,                          /* nb_inplace_power */
6629
    0,                          /* nb_inplace_lshift */
6630
    0,                          /* nb_inplace_rshift */
6631
    0,                          /* nb_inplace_and */
6632
    0,                          /* nb_inplace_xor */
6633
    0,                          /* nb_inplace_or */
6634
    long_div,                   /* nb_floor_divide */
6635
    long_true_divide,           /* nb_true_divide */
6636
    0,                          /* nb_inplace_floor_divide */
6637
    0,                          /* nb_inplace_true_divide */
6638
    long_long,                  /* nb_index */
6639
};
6640
6641
PyTypeObject PyLong_Type = {
6642
    PyVarObject_HEAD_INIT(&PyType_Type, 0)
6643
    "int",                                      /* tp_name */
6644
    offsetof(PyLongObject, long_value.ob_digit),  /* tp_basicsize */
6645
    sizeof(digit),                              /* tp_itemsize */
6646
    long_dealloc,                               /* tp_dealloc */
6647
    0,                                          /* tp_vectorcall_offset */
6648
    0,                                          /* tp_getattr */
6649
    0,                                          /* tp_setattr */
6650
    0,                                          /* tp_as_async */
6651
    long_to_decimal_string,                     /* tp_repr */
6652
    &long_as_number,                            /* tp_as_number */
6653
    0,                                          /* tp_as_sequence */
6654
    0,                                          /* tp_as_mapping */
6655
    long_hash,                                  /* tp_hash */
6656
    0,                                          /* tp_call */
6657
    0,                                          /* tp_str */
6658
    PyObject_GenericGetAttr,                    /* tp_getattro */
6659
    0,                                          /* tp_setattro */
6660
    0,                                          /* tp_as_buffer */
6661
    Py_TPFLAGS_DEFAULT | Py_TPFLAGS_BASETYPE |
6662
        Py_TPFLAGS_LONG_SUBCLASS |
6663
        _Py_TPFLAGS_MATCH_SELF,               /* tp_flags */
6664
    long_doc,                                   /* tp_doc */
6665
    0,                                          /* tp_traverse */
6666
    0,                                          /* tp_clear */
6667
    long_richcompare,                           /* tp_richcompare */
6668
    0,                                          /* tp_weaklistoffset */
6669
    0,                                          /* tp_iter */
6670
    0,                                          /* tp_iternext */
6671
    long_methods,                               /* tp_methods */
6672
    0,                                          /* tp_members */
6673
    long_getset,                                /* tp_getset */
6674
    0,                                          /* tp_base */
6675
    0,                                          /* tp_dict */
6676
    0,                                          /* tp_descr_get */
6677
    0,                                          /* tp_descr_set */
6678
    0,                                          /* tp_dictoffset */
6679
    0,                                          /* tp_init */
6680
    0,                                          /* tp_alloc */
6681
    long_new,                                   /* tp_new */
6682
    PyObject_Free,                              /* tp_free */
6683
    .tp_vectorcall = long_vectorcall,
6684
    .tp_version_tag = _Py_TYPE_VERSION_INT,
6685
};
6686
6687
static PyTypeObject Int_InfoType;
6688
6689
PyDoc_STRVAR(int_info__doc__,
6690
"sys.int_info\n\
6691
\n\
6692
A named tuple that holds information about Python's\n\
6693
internal representation of integers.  The attributes are read only.");
6694
6695
static PyStructSequence_Field int_info_fields[] = {
6696
    {"bits_per_digit", "size of a digit in bits"},
6697
    {"sizeof_digit", "size in bytes of the C type used to represent a digit"},
6698
    {"default_max_str_digits", "maximum string conversion digits limitation"},
6699
    {"str_digits_check_threshold", "minimum positive value for int_max_str_digits"},
6700
    {NULL, NULL}
6701
};
6702
6703
static PyStructSequence_Desc int_info_desc = {
6704
    "sys.int_info",   /* name */
6705
    int_info__doc__,  /* doc */
6706
    int_info_fields,  /* fields */
6707
    4                 /* number of fields */
6708
};
6709
6710
PyObject *
6711
PyLong_GetInfo(void)
6712
36
{
6713
36
    PyObject* int_info;
6714
36
    int field = 0;
6715
36
    int_info = PyStructSequence_New(&Int_InfoType);
6716
36
    if (int_info == NULL)
6717
0
        return NULL;
6718
36
    PyStructSequence_SET_ITEM(int_info, field++,
6719
36
                              PyLong_FromLong(PyLong_SHIFT));
6720
36
    PyStructSequence_SET_ITEM(int_info, field++,
6721
36
                              PyLong_FromLong(sizeof(digit)));
6722
    /*
6723
     * The following two fields were added after investigating uses of
6724
     * sys.int_info in the wild: Exceedingly rarely used. The ONLY use found was
6725
     * numba using sys.int_info.bits_per_digit as attribute access rather than
6726
     * sequence unpacking. Cython and sympy also refer to sys.int_info but only
6727
     * as info for debugging. No concern about adding these in a backport.
6728
     */
6729
36
    PyStructSequence_SET_ITEM(int_info, field++,
6730
36
                              PyLong_FromLong(_PY_LONG_DEFAULT_MAX_STR_DIGITS));
6731
36
    PyStructSequence_SET_ITEM(int_info, field++,
6732
36
                              PyLong_FromLong(_PY_LONG_MAX_STR_DIGITS_THRESHOLD));
6733
36
    if (PyErr_Occurred()) {
6734
0
        Py_CLEAR(int_info);
6735
0
        return NULL;
6736
0
    }
6737
36
    return int_info;
6738
36
}
6739
6740
6741
/* runtime lifecycle */
6742
6743
PyStatus
6744
_PyLong_InitTypes(PyInterpreterState *interp)
6745
36
{
6746
    /* initialize int_info */
6747
36
    if (_PyStructSequence_InitBuiltin(interp, &Int_InfoType,
6748
36
                                      &int_info_desc) < 0)
6749
0
    {
6750
0
        return _PyStatus_ERR("can't init int info type");
6751
0
    }
6752
6753
36
    return _PyStatus_OK();
6754
36
}
6755
6756
6757
void
6758
_PyLong_FiniTypes(PyInterpreterState *interp)
6759
0
{
6760
0
    _PyStructSequence_FiniBuiltin(interp, &Int_InfoType);
6761
0
}
6762
6763
#undef PyUnstable_Long_IsCompact
6764
6765
int
6766
0
PyUnstable_Long_IsCompact(const PyLongObject* op) {
6767
0
    return _PyLong_IsCompact((PyLongObject*)op);
6768
0
}
6769
6770
#undef PyUnstable_Long_CompactValue
6771
6772
Py_ssize_t
6773
0
PyUnstable_Long_CompactValue(const PyLongObject* op) {
6774
0
    return _PyLong_CompactValue((PyLongObject*)op);
6775
0
}
6776
6777
6778
PyObject* PyLong_FromInt32(int32_t value)
6779
0
{
6780
0
    PYLONG_FROM_INT(uint32_t, int32_t, value);
6781
0
}
6782
6783
PyObject* PyLong_FromUInt32(uint32_t value)
6784
0
{
6785
0
    PYLONG_FROM_UINT(uint32_t, value);
6786
0
}
6787
6788
PyObject* PyLong_FromInt64(int64_t value)
6789
2.78M
{
6790
2.78M
    PYLONG_FROM_INT(uint64_t, int64_t, value);
6791
2.78M
}
6792
6793
PyObject* PyLong_FromUInt64(uint64_t value)
6794
0
{
6795
0
    PYLONG_FROM_UINT(uint64_t, value);
6796
0
}
6797
6798
#define LONG_TO_INT(obj, value, type_name) \
6799
21.7M
    do { \
6800
21.7M
        int flags = (Py_ASNATIVEBYTES_NATIVE_ENDIAN \
6801
21.7M
                     | Py_ASNATIVEBYTES_ALLOW_INDEX); \
6802
21.7M
        Py_ssize_t bytes = PyLong_AsNativeBytes(obj, value, sizeof(*value), flags); \
6803
21.7M
        if (bytes < 0) { \
6804
0
            return -1; \
6805
0
        } \
6806
21.7M
        if ((size_t)bytes > sizeof(*value)) { \
6807
0
            PyErr_SetString(PyExc_OverflowError, \
6808
0
                            "Python int too large to convert to " type_name); \
6809
0
            return -1; \
6810
0
        } \
6811
21.7M
        return 0; \
6812
21.7M
    } while (0)
6813
6814
int PyLong_AsInt32(PyObject *obj, int32_t *value)
6815
0
{
6816
0
    LONG_TO_INT(obj, value, "C int32_t");
6817
0
}
6818
6819
int PyLong_AsInt64(PyObject *obj, int64_t *value)
6820
21.7M
{
6821
21.7M
    LONG_TO_INT(obj, value, "C int64_t");
6822
21.7M
}
6823
6824
#define LONG_TO_UINT(obj, value, type_name) \
6825
0
    do { \
6826
0
        int flags = (Py_ASNATIVEBYTES_NATIVE_ENDIAN \
6827
0
                     | Py_ASNATIVEBYTES_UNSIGNED_BUFFER \
6828
0
                     | Py_ASNATIVEBYTES_REJECT_NEGATIVE \
6829
0
                     | Py_ASNATIVEBYTES_ALLOW_INDEX); \
6830
0
        Py_ssize_t bytes = PyLong_AsNativeBytes(obj, value, sizeof(*value), flags); \
6831
0
        if (bytes < 0) { \
6832
0
            return -1; \
6833
0
        } \
6834
0
        if ((size_t)bytes > sizeof(*value)) { \
6835
0
            PyErr_SetString(PyExc_OverflowError, \
6836
0
                            "Python int too large to convert to " type_name); \
6837
0
            return -1; \
6838
0
        } \
6839
0
        return 0; \
6840
0
    } while (0)
6841
6842
int PyLong_AsUInt32(PyObject *obj, uint32_t *value)
6843
0
{
6844
0
    LONG_TO_UINT(obj, value, "C uint32_t");
6845
0
}
6846
6847
int PyLong_AsUInt64(PyObject *obj, uint64_t *value)
6848
0
{
6849
0
    LONG_TO_UINT(obj, value, "C uint64_t");
6850
0
}
6851
6852
6853
static const PyLongLayout PyLong_LAYOUT = {
6854
    .bits_per_digit = PyLong_SHIFT,
6855
    .digits_order = -1,  // least significant first
6856
    .digit_endianness = PY_LITTLE_ENDIAN ? -1 : 1,
6857
    .digit_size = sizeof(digit),
6858
};
6859
6860
6861
const PyLongLayout*
6862
PyLong_GetNativeLayout(void)
6863
437
{
6864
437
    return &PyLong_LAYOUT;
6865
437
}
6866
6867
6868
int
6869
PyLong_Export(PyObject *obj, PyLongExport *export_long)
6870
4
{
6871
4
    if (!PyLong_Check(obj)) {
6872
0
        memset(export_long, 0, sizeof(*export_long));
6873
0
        PyErr_Format(PyExc_TypeError, "expect int, got %T", obj);
6874
0
        return -1;
6875
0
    }
6876
6877
    // Fast-path: try to convert to a int64_t
6878
4
    int overflow;
6879
4
#if SIZEOF_LONG == 8
6880
4
    long value = PyLong_AsLongAndOverflow(obj, &overflow);
6881
#else
6882
    // Windows has 32-bit long, so use 64-bit long long instead
6883
    long long value = PyLong_AsLongLongAndOverflow(obj, &overflow);
6884
#endif
6885
4
    Py_BUILD_ASSERT(sizeof(value) == sizeof(int64_t));
6886
    // the function cannot fail since obj is a PyLongObject
6887
4
    assert(!(value == -1 && PyErr_Occurred()));
6888
6889
4
    if (!overflow) {
6890
2
        export_long->value = value;
6891
2
        export_long->negative = 0;
6892
2
        export_long->ndigits = 0;
6893
2
        export_long->digits = NULL;
6894
2
        export_long->_reserved = 0;
6895
2
    }
6896
2
    else {
6897
2
        PyLongObject *self = (PyLongObject*)obj;
6898
2
        export_long->value = 0;
6899
2
        export_long->negative = _PyLong_IsNegative(self);
6900
2
        export_long->ndigits = _PyLong_DigitCount(self);
6901
2
        if (export_long->ndigits == 0) {
6902
0
            export_long->ndigits = 1;
6903
0
        }
6904
2
        export_long->digits = self->long_value.ob_digit;
6905
2
        export_long->_reserved = (Py_uintptr_t)Py_NewRef(obj);
6906
2
    }
6907
4
    return 0;
6908
4
}
6909
6910
6911
void
6912
PyLong_FreeExport(PyLongExport *export_long)
6913
2
{
6914
2
    PyObject *obj = (PyObject*)export_long->_reserved;
6915
2
    if (obj) {
6916
2
        export_long->_reserved = 0;
6917
2
        Py_DECREF(obj);
6918
2
    }
6919
2
}
6920
6921
6922
/* --- PyLongWriter API --------------------------------------------------- */
6923
6924
PyLongWriter*
6925
PyLongWriter_Create(int negative, Py_ssize_t ndigits, void **digits)
6926
435
{
6927
435
    if (ndigits <= 0) {
6928
0
        PyErr_SetString(PyExc_ValueError, "ndigits must be positive");
6929
0
        goto error;
6930
0
    }
6931
435
    assert(digits != NULL);
6932
6933
435
    PyLongObject *obj = long_alloc(ndigits);
6934
435
    if (obj == NULL) {
6935
0
        goto error;
6936
0
    }
6937
435
    if (negative) {
6938
9
        _PyLong_FlipSign(obj);
6939
9
    }
6940
6941
435
    *digits = obj->long_value.ob_digit;
6942
435
    return (PyLongWriter*)obj;
6943
6944
0
error:
6945
0
    *digits = NULL;
6946
0
    return NULL;
6947
435
}
6948
6949
6950
void
6951
PyLongWriter_Discard(PyLongWriter *writer)
6952
0
{
6953
0
    if (writer == NULL) {
6954
0
        return;
6955
0
    }
6956
6957
0
    PyLongObject *obj = (PyLongObject *)writer;
6958
0
    assert(Py_REFCNT(obj) == 1);
6959
0
    Py_DECREF(obj);
6960
0
}
6961
6962
6963
PyObject*
6964
PyLongWriter_Finish(PyLongWriter *writer)
6965
435
{
6966
435
    PyLongObject *obj = (PyLongObject *)writer;
6967
435
    assert(Py_REFCNT(obj) == 1);
6968
6969
#ifdef Py_DEBUG
6970
    // gh-147988: Detect uninitialized digits: long_alloc() fills digits with
6971
    // 0xFF byte pattern. It's posssible because PyLong_BASE is smaller than
6972
    // the maximum value of the C digit type (uint32_t or unsigned short):
6973
    // most significan bits are unused by the API.
6974
    Py_ssize_t ndigits = _PyLong_DigitCount(obj);
6975
    if (ndigits == 0) {
6976
        // Check ob_digit[0] digit for the number zero
6977
        ndigits = 1;
6978
    }
6979
    for (Py_ssize_t i = 0; i < ndigits; i++) {
6980
        digit d = obj->long_value.ob_digit[i];
6981
        if (d & ~(digit)PyLong_MASK) {
6982
            Py_DECREF(obj);
6983
            PyErr_Format(PyExc_SystemError,
6984
                         "PyLongWriter_Finish: digit %zd is uninitialized",
6985
                         i);
6986
            return NULL;
6987
        }
6988
    }
6989
#endif
6990
6991
    // Normalize and get singleton if possible
6992
435
    obj = maybe_small_long(long_normalize(obj));
6993
6994
435
    return (PyObject*)obj;
6995
435
}