Issue43420
This issue tracker has been migrated to GitHub,
and is currently read-only.
For more information,
see the GitHub FAQs in the Python's Developer Guide.
Created on 2021-03-06 14:18 by Sergey.Kirpichev, last changed 2022-04-11 14:59 by admin. This issue is now closed.
Files | ||||
---|---|---|---|---|
File name | Uploaded | Description | Edit | |
f.patch | Sergey.Kirpichev, 2021-03-07 04:23 |
Pull Requests | |||
---|---|---|---|
URL | Status | Linked | Edit |
PR 24779 | merged | Sergey.Kirpichev, 2021-03-07 04:50 |
Messages (27) | |||
---|---|---|---|
msg388200 - (view) | Author: Sergey B Kirpichev (Sergey.Kirpichev) * | Date: 2021-03-06 14:18 | |
fractions.py uses naive algorithms for doing arithmetics. It may worth implementing less trivial versions for addtion/substraction and multiplication (e.g. Henrici algorithm and so on), described here: https://www.eecis.udel.edu/~saunders/courses/822/98f/collins-notes/rnarith.ps as e.g gmplib does: https://gmplib.org/repo/gmp/file/tip/mpq/aors.c Some projects (e.g. SymPy here: https://github.com/sympy/sympy/pull/12656) reinvent the stdlib's Fraction just to add such simple improvements. With big denominators (~10**6) this really does matter, my local benchmarks suggest the order of magnitude difference for summation of several such numbers. |
|||
msg388210 - (view) | Author: Raymond Hettinger (rhettinger) * | Date: 2021-03-06 17:20 | |
Here's some code to try out: from math import gcd from fractions import Fraction import operator import math class Henrici(Fraction): 'Reformulate _mul to reduce the size of intermediate products' # Original has 2 multiplications, 1 gcd calls, and 2 divisions # This one has 2 multiplications, 2 gcd calls, and 4 divisions def _mul(a, b): a_n, a_d = a.numerator, a.denominator b_n, b_d = b.numerator, b.denominator d1 = math.gcd(a_n, b_d) a_n //= d1 b_d //= d1 d2 = math.gcd(b_n, a_d) b_n //= d2 a_d //= d2 result = Fraction(a_n * b_n, a_d * b_d, _normalize=False) assert math.gcd(a_n * b_n, a_d * b_d) == 1 and a_d * b_d >= 0 return result __mul__, __rmul__ = Fraction._operator_fallbacks(_mul, operator.mul) assert Henrici(10, 3) * Henrici(6, 5) == Henrici(4, 1) |
|||
msg388212 - (view) | Author: Raymond Hettinger (rhettinger) * | Date: 2021-03-06 20:00 | |
Note that Fraction arithmetic has a huge administrative overhead. The cost of the underlying multiplications and divisions won't dominate the total time until the numerators and denominators are very large. For the proposed optimization, this implies that cost for the extra Python steps to implement the optimization will be negligible. The benefits of the optimization are similarly attenuated. -- Update to experimentation code: add guards for the relatively prime case. -- class Henrici(Fraction): 'Reformulate _mul to reduce the size of intermediate products' def _mul(a, b): a_n, a_d = a.numerator, a.denominator b_n, b_d = b.numerator, b.denominator d1 = math.gcd(a_n, b_d) if d1 > 1: a_n //= d1 b_d //= d1 d2 = math.gcd(b_n, a_d) if d2 > 1: b_n //= d2 a_d //= d2 result = Fraction(a_n * b_n, a_d * b_d, _normalize=False) assert math.gcd(a_n * b_n, a_d * b_d) == 1 and a_d * b_d >= 0 return result |
|||
msg388214 - (view) | Author: Raymond Hettinger (rhettinger) * | Date: 2021-03-06 20:45 | |
The cost to the common case for small components is about 20%: $ python3.10 -m timeit -r11 -s 'from fractions import Fraction as F' -s 'a=F(10,3)' -s 'b=F(6, 5)' 'a * b' 200000 loops, best of 11: 1.8 usec per loop $ python3.10 -m timeit -r11 -s 'from patched import Fraction as F' -s 'a=F(10,3)' -s 'b=F(6, 5)' 'a * b' 100000 loops, best of 11: 2.14 usec per loop |
|||
msg388215 - (view) | Author: Raymond Hettinger (rhettinger) * | Date: 2021-03-06 20:58 | |
Without the guards the incremental cost drops to 10%. $ python3.10 -m timeit -r11 -s 'from patched_noguards import Fraction as F' -s 'a=F(10,3)' -s 'b=F(6, 5)' 'a * b' 100000 loops, best of 11: 2.02 usec per loop |
|||
msg388221 - (view) | Author: Sergey B Kirpichev (Sergey.Kirpichev) * | Date: 2021-03-07 04:23 | |
I have similar timings (for a draft version of PR, see f.patch) as for the last comment, though the small-dens overhead seems to be bigger(~20%): $ python3.10 -m timeit -r11 -s 'from fractions import Fraction as F' -s 'a=F(10,3)' -s 'b=F(6, 5)' 'a * b' 50000 loops, best of 11: 9.09 usec per loop $ python3.10 -m timeit -r11 -s 'from patched import Fraction as F' -s 'a=F(10,3)' -s 'b=F(6, 5)' 'a * b' 20000 loops, best of 11: 11.2 usec per loop On another hand, here are timings for bigger denominators: $ python3.10 -m timeit -r11 -s 'from fractions import Fraction as F' -s 'import random' -s 'n = [random.randint(1, 1000000) for _ in range(1000)]' -s 'd = [random.randint(1, 1000000) for _ in range(1000)]' -s 'a=list(map(lambda x: F(*x), zip(n, d)))' 'sum(a)' 1 loop, best of 11: 257 msec per loop $ ... from patched ... 10 loops, best of 11: 33.2 msec per loop It's not so clear what "are very large" does mean, that could be defined here. BTW, 10**6 denominators are (very!) small for mentioned above use case (CAS package). |
|||
msg388227 - (view) | Author: Raymond Hettinger (rhettinger) * | Date: 2021-03-07 06:55 | |
> 1 loop, best of 11: 257 msec per loop > $ ... from patched ... > 10 loops, best of 11: 33.2 msec per loop Looks worth it :-) |
|||
msg388232 - (view) | Author: Mark Dickinson (mark.dickinson) * | Date: 2021-03-07 10:54 | |
Personally, I'd prefer to keep the code simplicity, and the speed for small inputs here. Python's needs aren't the same as SymPy's needs or SAGE's needs, and not all of the fractions.Fraction use-cases involve summing lots of values with incompatible denominators. > With big denominators (~10**6) this really does matter, my local > benchmarks suggest the order of magnitude difference for > summation of several such numbers. Could you give some idea of the crossover point for a single addition? At roughly what size numerator/denominator do we start seeing a performance benefit? |
|||
msg388235 - (view) | Author: Sergey B Kirpichev (Sergey.Kirpichev) * | Date: 2021-03-07 11:45 | |
> I'd prefer to keep the code simplicity It's not going to be complicated so much and algorithms are well known, but I see your point. > and the speed for small inputs here Speed loss is not so big, 10-20%. > Python's needs aren't the same as SymPy's needs or SAGE's needs So, for which needs it will serve? Sorry, I can't suggest an application, which does use builtin Fraction's (not sure if even SAGE uses them, as a fallback). SymPy doesn't, for sure (but it could - it's PythonRational class uses same optimizations, except for g == 1 branches in _add/_sub, I think). There is one exception I've found: stdlib's statistics module uses Fraction's in the _sum() helper, exactly in a paradigm "sum a lot of values". > not all of the fractions.Fraction use-cases involve summing lots of values with incompatible denominators. No need for a lots of values (i.e. 1000): denominator of the sum will grow very fast, that why modern CAS use modular GCD algorithms, for example. > Could you give some idea of the crossover point for a single addition? $ ./python -m timeit -r11 -s 'from fractions import Fraction as F' -s 'a=F(10,31011021112)' -s 'b=F(86,11011021115)' 'a + b' 20000 loops, best of 11: 12.4 usec per loop $ ./python -m timeit -r11 -s 'from patched import Fraction as F' -s 'a=F(10,31011021112)' -s 'b=F(86,11011021115)' 'a + b' 20000 loops, best of 11: 12.5 usec per loop |
|||
msg388236 - (view) | Author: Mark Dickinson (mark.dickinson) * | Date: 2021-03-07 12:16 | |
> There is one exception I've found: stdlib's statistics module uses > Fraction's in the _sum() helper, exactly in a paradigm "sum a lot > of values". That's an interesting example: it does indeed satisfy the "sum of a lot of values" part, but not the "incompatible denominators" part. :-) The typical use there is that those fractions have been converted from floats, and so all denominators will be a smallish power of two. So we don't encounter the same coefficient explosion problem that we do when summing fractions with unrelated denominators. I have many similar use-cases in my own code, where numerators and denominators don't tend to ever get beyond a few hundred digits, and usually not more than tens of digits. Thanks for the timings! So assuming that wasn't a specially-chosen best case example, the crossover is somewhere around numerators and denominators of ten digits or so. > It's not going to be complicated so much For me, the big difference is that the current code is obviously correct at a glance, while the proposed code takes study and thought to make sure that no corner cases are missed. Shrug. Put me down as -0. |
|||
msg388249 - (view) | Author: Aaron Meurer (asmeurer) | Date: 2021-03-07 22:34 | |
I'm surprised to hear that the "typical use-case" of Fraction is fractions converted from floats. Do you have evidence in the wild to support that? I would expect any application that uses fractions "generically" to run into the same sorts of problems SymPy does. The issue is that the sum or product of two unrelated fractions has a denominator that is ~ the product of the denominators of each term. So they tend to grow large, unless there is some structure in the terms that results in lots of cancellation. That's why real world numeric typically doesn't use exact arithmetic, but there are legitimate use-cases for it (computer algebra being one). This actually also applies even if the denominators are powers of 2. That's why arbitrary precision floating point numbers like Decimal or mpmath.mpf limit the precision, or effectively, the power of 2 in the denominator. By the way, the "algorithm" here really isn't that complicated. I didn't even realize it had a name. The idea is that for a/b * c/d, if a/b and c/d are already in lowest terms, then the only cancellation that can happen is from a/d or from c/b. So instead of computing gcd(a*c, b*d), we only compute gcd(a, d) and gcd(c, b) and cancel them off the corresponding terms. It turns out to be faster to take two gcds of smaller numbers than one gcd of big ones. The algorithm for addition is a bit more complicated, at least to see that it is correct, but is still not that bad (the paper linked in the OP explains it clearly in one paragraph). It's far less complicated than, for example, Lehmer's gcd algorithm (which is implemented in math.gcd). |
|||
msg388256 - (view) | Author: Sergey B Kirpichev (Sergey.Kirpichev) * | Date: 2021-03-08 03:44 | |
On Sun, Mar 07, 2021 at 10:34:24PM +0000, Aaron Meurer wrote: > I'm surprised to hear that the "typical use-case" of Fraction > is fractions converted from floats. For statistics module - that may be true. Unfortunately, no (other) practical applications, using Fraction's, were proposed by my reviewers so far. > By the way, the "algorithm" here really isn't that > complicated. I didn't even realize it had a name. Rather "algorithms"; everything is there in the II-nd volume of the Knuth, section 4.5 - Rational Arithmetic. Probably, this is even a better reference, since it explains gcd==1 case for addition. Both, however, reference the Henrici article. > It's far less complicated than, for example, Lehmer's gcd > algorithm (which is implemented in math.gcd). Or Karatsuba multiplication. BTW, low-denominators performance may be restored (at least partially), using same approach (like KARATSUBA_CUTOFF - but checking the maximal denominator). I don't like this idea, but... |
|||
msg388260 - (view) | Author: Sergey B Kirpichev (Sergey.Kirpichev) * | Date: 2021-03-08 10:19 | |
On Sun, Mar 07, 2021 at 12:16:36PM +0000, Mark Dickinson wrote: > but not the "incompatible denominators" part. :-) The typical use there is > that those fractions have been converted from floats But there is no limits to use Fraction's for input, e.g. there are docstring examples for mean() and variance(). In that case (general one for a summation) - common denominators is a very special situation. > Thanks for the timings! So assuming that wasn't a specially-chosen best case example No, but this will handle the first branch. > > It's not going to be complicated so much > For me, the big difference is that the current code is obviously correct That may be fixed by keeping relevant references right in the code, not in the commit message. Python sources have many much more non-trivial algorithms... |
|||
msg388328 - (view) | Author: Tim Peters (tim.peters) * | Date: 2021-03-09 05:11 | |
I agree with everyone ;-) That is, my _experience_ matches Mark's: as a more-or-less "numeric expert", I use Fraction in cases where it's already fast enough. Python isn't a CAS, and, e.g., in pure Python I'm not doing things like computing or composing power series with rational coefficients (but routinely do such stuff in a CAS). It's usually just combinatorial probabilities in relatively simple settings, and small-scale computations where float precision would be fine except I don't want to bother doing error analysis first to ensure things like catastrophic cancellation can't occur. On the other hand, the proposed changes are bog standard optimizations for implementations of rationals, and can pay off very handsomely at relatively modest argument sizes. So I'm +0. I don't really mind the slowdown for small arguments because, as above, I just don't use Fraction for extensive computation. But the other side of that is that I won't profit much from optimizations either, and while the optimizations for * and / are close to self-evident, those for + and - are much subtler. Code obscurity imposes ongoing costs of its own. WRT which, I added Python's Karatsuba implementation and regret doing so. I don't want to take it out now (it's already in ;-) ), but it added quite a pile of delicate code to what _was_ a much easier module to grasp. People who need fast multiplication are still far better off using gmpy2 anyway (or fiddling Decimal precision - Stefan Krah implemented "advanced" multiplication schemes for that module). |
|||
msg388415 - (view) | Author: Sergey B Kirpichev (Sergey.Kirpichev) * | Date: 2021-03-10 08:53 | |
On Tue, Mar 09, 2021 at 05:11:09AM +0000, Tim Peters wrote: > those for + and - are much subtler In fact, these optimizations will payoff faster (wrt denominators size), esp. due to gcd==1 branch. Sorry for off-topic: > WRT which, I added Python's Karatsuba implementation and regret doing so. > I don't want to take it out now (it's already in ;-) ), but it added quite > a pile of delicate code to what _was_ a much easier module to grasp. (And was much more useless, even as a fallback. But in the end - I agreed, you can't outperform professional bigint implementations. I think, you can _use_ them instead.) > People who need fast multiplication are still far better off using gmpy2 anyway (Another strange python "feature", IMHO. Why the custom bigint implementation, why not use the project, that run professionals in the field? Looking on the issue 21922 - it seems, that small ints arithmetics can be almost as fast as for python ints. Is the memory handling - out-of-memory situation - the only severe problem?) |
|||
msg388477 - (view) | Author: Tim Peters (tim.peters) * | Date: 2021-03-11 03:55 | |
Issue 21922 lists several concerns, and best I know they all still apply. As a practical matter, I expect the vast bulk of core Python developers would reject a change that sped large int basic arithmetic by a factor of a billion if it slowed down basic arithmetic on native machine-size ints by even half a percent. |
|||
msg388563 - (view) | Author: Terry J. Reedy (terry.reedy) * | Date: 2021-03-12 23:03 | |
A possible resolution to this issue might be augmenting https://docs.python.org/3/library/fractions.html#module-fractions with a short paragraph or section on alternative implementations noting that there is a tradeoff between speed and complexity (and assured correctness). If sympy has faster rationals, list that, and any other python-accessible alternative we have confidence in. |
|||
msg388590 - (view) | Author: Tim Peters (tim.peters) * | Date: 2021-03-13 04:19 | |
Terry, we could do that, but the opposition here isn't strong, and is pretty baffling anyway ;-) : the suggested changes are utterly ordinary for implementations of rationals, require very little code, are not delicate, and are actually straightforward to see are correct (although unfamiliarity can be an initial barrier - e.g., if you don't already know that after g = gcd(a, b) a1 = a // g b1 = b // g it's necessarily true that a1 and b1 are coprime, a key reason for way the transformation is correct will be lost on you - but it's also very easy to prove that claim once you're told that it is a key here). The OP is right that "we" (at least Mark, and Raymond, and I) have routinely checked in far subtler optimizations in various areas. |
|||
msg388591 - (view) | Author: Sergey B Kirpichev (Sergey.Kirpichev) * | Date: 2021-03-13 04:27 | |
> a short paragraph or section on alternative implementations There are no alternative implementations. SymPy's PythonRational (AFAIR, this class not in the default namespace) is an internal fallback solution, for case when no gmpy2 is available. Maybe we should list gmpy2 everywhere people expect fast bigint/rationals (i.e. int docs, math module, Fraction and so on), so they will not not be disappointed... > complexity (and assured correctness) Much more complex (IMHO) code was accepted (there were examples for C, but the limit_denominator() method - an example for Python code, from the same module!). In fact, it pretty obvious that output fractions are equal to the middle-school versions. Non-trivial part may be why they are normalized. I hope, now this covered by comments. |
|||
msg389270 - (view) | Author: Tim Peters (tim.peters) * | Date: 2021-03-22 02:31 | |
New changeset 690aca781152a498f5117682524d2cd9aa4d7657 by Sergey B Kirpichev in branch 'master': bpo-43420: Simple optimizations for Fraction's arithmetics (GH-24779) https://github.com/python/cpython/commit/690aca781152a498f5117682524d2cd9aa4d7657 |
|||
msg389271 - (view) | Author: Tim Peters (tim.peters) * | Date: 2021-03-22 02:35 | |
Thanks, all! This has been merged now. If someone wants to continue pursuing things left hanging, I'd suggest opening a different BPO report. |
|||
msg389274 - (view) | Author: Sergey B Kirpichev (Sergey.Kirpichev) * | Date: 2021-03-22 04:10 | |
On Mon, Mar 22, 2021 at 02:35:59AM +0000, Tim Peters wrote: > Thanks, all! This has been merged now. If someone wants to > continue pursuing things left hanging, I'd suggest opening > a different BPO report. Tim, if you are about micro-optimizations for small components (properties->attributes and so on, I think this not worth BPO report of the news entry, isn't? Thanks for all reviewers and commenters. |
|||
msg389276 - (view) | Author: Tim Peters (tim.peters) * | Date: 2021-03-22 04:34 | |
If experience is any guide, nothing about anything here will go smoothly ;-) For example, setting up a module global `_gcd` name for `math.gcd` is a very standard, widespread kind of micro-optimization. But - if that's thought to be valuable (who knows? maybe someone will complain) - why not go on instead to add not-intended-to-be-passed trailing default `_gcd=math.gcd` arguments to the methods? Then it's even faster (& uglier, of course). Or wrt changing properties to private attributes, that speeds some things but slows others - and, unless I missed it, nobody who wrote that code to begin with said a word about why it was done that way. I'm not going to "pre-bless" shortcuts in an area where everything so far has been more contentious than it "should have been" (to my eyes). Opening a BPO report is a trivial effort. Skipping NEWS, or not, depends on how it goes. |
|||
msg389277 - (view) | Author: Sergey B Kirpichev (Sergey.Kirpichev) * | Date: 2021-03-22 05:00 | |
On Mon, Mar 22, 2021 at 04:34:32AM +0000, Tim Peters wrote: > For example, setting up a module global `_gcd` name for `math.gcd` Looking on the stdlib, I would just import gcd. > default `_gcd=math.gcd` arguments to the methods? Then it's > even faster (& uglier, of course). ... and less readable. Not sure if speedup will be noticeable. But more important is that I see no such micro-optimizations across the stdlib. Probably, this will be the reason for rejection. > Or wrt changing properties to private attributes, that speeds some > things but slows others - and, unless I missed it, nobody who wrote > that code to begin with said a word about why it was done that way. Yes, I'll dig into the history. Commen^WDocstring doesn't explain this (for me). > Opening a BPO report is a trivial effort. Sure, but such report will require patch to be discussed, anyway. |
|||
msg389342 - (view) | Author: Tim Peters (tim.peters) * | Date: 2021-03-22 20:50 | |
This report is closed. Please open a different report. We've already demonstrated that, as predicted, nothing can be said here without it being taken as invitation to open-ended discussion. So it goes, but it doesn't belong on _this_ report anymore. |
|||
msg393807 - (view) | Author: Stefan Behnel (scoder) * | Date: 2021-05-17 11:59 | |
Just FYI, I applied the same changes to the quicktions [1] module, a Cython compiled (and optimised) version of fractions.Fraction. [1] https://github.com/scoder/quicktions/ The loss in performance for small values is much higher there, almost 2x for the example given (compared to 10-20% for CPython): $ python3.8 -m timeit -r11 -s 'from fractions import Fraction as F' -s 'a=F(10,3)' -s 'b=F(6, 5)' 'a * b' 100000 loops, best of 11: 1.94 usec per loop Original: $ python3.8 -m timeit -r11 -s 'from quicktions import Fraction as F' -s 'a=F(10,3)' -s 'b=F(6, 5)' 'a * b' 1000000 loops, best of 11: 214 nsec per loop Patched: $ python3.8 -m timeit -r11 -s 'from quicktions import Fraction as F' -s 'a=F(10,3)' -s 'b=F(6, 5)' 'a * b' 500000 loops, best of 11: 391 nsec per loop For the larger values example, the gain is tremendous, OTOH: $ python3.8 -m timeit -r11 -s 'from fractions import Fraction as F' -s 'import random' -s 'n = [random.randint(1, 1000000) for _ in range(1000)]' -s 'd = [random.randint(1, 1000000) for _ in range(1000)]' -s 'a=list(map(lambda x: F(*x), zip(n, d)))' 'sum(a)' 2 loops, best of 11: 150 msec per loop Original: $ python3.8 -m timeit -r11 -s 'from quicktions import Fraction as F' -s 'import random' -s 'n = [random.randint(1, 1000000) for _ in range(1000)]' -s 'd = [random.randint(1, 1000000) for _ in range(1000)]' -s 'a=list(map(lambda x: F(*x), zip(n, d)))' 'sum(a)' 2 loops, best of 11: 135 msec per loop Patched: $ python3.8 -m timeit -r11 -s 'from quicktions import Fraction as F' -s 'import random' -s 'n = [random.randint(1, 1000000) for _ in range(1000)]' -s 'd = [random.randint(1, 1000000) for _ in range(1000)]' -s 'a=list(map(lambda x: F(*x), zip(n, d)))' 'sum(a)' 50 loops, best of 11: 9.65 msec per loop I'll have to see if the slowdown can be mitigated somehow. Interesting enough, the telco benchmark seems to benefit slightly from this: Original: $ python3.8 benchmark/telco_fractions.py -n 200 # avg 0.0952927148342 Patched: $ python3.8 benchmark/telco_fractions.py -n 200 # avg 0.0914235627651 |
|||
msg393808 - (view) | Author: Sergey B Kirpichev (Sergey.Kirpichev) * | Date: 2021-05-17 12:07 | |
> I'll have to see if the slowdown can be mitigated somehow. Yes, for small components this is a known slowdown. I'm trying to mitigate that case in https://github.com/python/cpython/pull/25518. Except for the mixed mode (Fraction's+int) - this match the original performance. |
History | |||
---|---|---|---|
Date | User | Action | Args |
2022-04-11 14:59:42 | admin | set | github: 87586 |
2021-05-17 12:07:39 | Sergey.Kirpichev | set | messages: + msg393808 |
2021-05-17 11:59:21 | scoder | set | nosy:
+ scoder messages: + msg393807 |
2021-03-22 20:50:56 | tim.peters | set | messages: + msg389342 |
2021-03-22 05:00:57 | Sergey.Kirpichev | set | messages: + msg389277 |
2021-03-22 04:34:32 | tim.peters | set | messages: + msg389276 |
2021-03-22 04:10:47 | Sergey.Kirpichev | set | messages: + msg389274 |
2021-03-22 02:35:59 | tim.peters | set | status: open -> closed resolution: fixed messages: + msg389271 stage: patch review -> resolved |
2021-03-22 02:31:24 | tim.peters | set | messages: + msg389270 |
2021-03-13 04:27:22 | Sergey.Kirpichev | set | messages: + msg388591 |
2021-03-13 04:19:33 | tim.peters | set | messages: + msg388590 |
2021-03-12 23:03:09 | terry.reedy | set | nosy:
+ terry.reedy messages: + msg388563 |
2021-03-11 03:55:58 | tim.peters | set | messages: + msg388477 |
2021-03-10 08:53:47 | Sergey.Kirpichev | set | messages: + msg388415 |
2021-03-09 05:11:09 | tim.peters | set | nosy:
+ tim.peters messages: + msg388328 |
2021-03-08 10:19:40 | Sergey.Kirpichev | set | messages: + msg388260 |
2021-03-08 03:44:58 | Sergey.Kirpichev | set | messages: + msg388256 |
2021-03-07 22:34:24 | asmeurer | set | messages: + msg388249 |
2021-03-07 12:16:36 | mark.dickinson | set | messages: + msg388236 |
2021-03-07 11:45:24 | Sergey.Kirpichev | set | messages: + msg388235 |
2021-03-07 10:54:57 | mark.dickinson | set | messages: + msg388232 |
2021-03-07 06:55:58 | rhettinger | set | messages: + msg388227 |
2021-03-07 05:47:21 | asmeurer | set | nosy:
+ asmeurer |
2021-03-07 04:50:12 | Sergey.Kirpichev | set | stage: patch review pull_requests: + pull_request23544 |
2021-03-07 04:23:18 | Sergey.Kirpichev | set | files:
+ f.patch keywords: + patch messages: + msg388221 |
2021-03-06 20:58:13 | rhettinger | set | messages: + msg388215 |
2021-03-06 20:45:30 | rhettinger | set | messages: + msg388214 |
2021-03-06 20:00:34 | rhettinger | set | messages: + msg388212 |
2021-03-06 19:42:46 | mark.dickinson | set | nosy:
+ mark.dickinson |
2021-03-06 17:20:03 | rhettinger | set | nosy:
+ rhettinger messages: + msg388210 |
2021-03-06 14:18:17 | Sergey.Kirpichev | create |