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.

Author rhettinger
Recipients rhettinger, steven.daprano
Date 2021-11-23.08:21:50
SpamBayes Score -1.0
Marked as misclassified Yes
Message-id <1637655710.57.0.966606985611.issue45876@roundup.psfhosted.org>
In-reply-to
Content
The standard deviation computation in the statistics module is still subject to error even though the mean and sum of square differences are computed exactly using fractions.

The problem is that the exact fraction gets rounded to a float before going into math.sqrt() which also rounds.

It would be better to compute a high precision square root directly from the exact fraction rather than from a fraction rounded to a float.

Here are two ways to do it.  With Cpython, the second way is twice as fast.   With PyPy3, the speed is about the same. 


def frac_sqrt(x: Fraction) -> float:
    'Return sqrt to greater precision than math.sqrt()'
    # Needed because a correctly rounded square root of
    # a correctly rounded input can still be off by 1 ulp.
    # Here we avoid the initial rounding and work directly
    # will the exact fractional input.  The square root
    # is first approximated with math.sqrt() and then
    # refined with a divide-and-average step. Since the
    # Newton-Raphson algorithm has quadratic convergence,
    # one refinement step gives excellent accuracy.
    a = Fraction(math.sqrt(x))
    return float((x / a + a) / 2)


def deci_sqrt(x: Fraction) -> float:
    ratio = Decimal(x.numerator) / Decimal(x.denominator)
    return float(ratio.sqrt())
History
Date User Action Args
2021-11-23 08:21:50rhettingersetrecipients: + rhettinger, steven.daprano
2021-11-23 08:21:50rhettingersetmessageid: <1637655710.57.0.966606985611.issue45876@roundup.psfhosted.org>
2021-11-23 08:21:50rhettingerlinkissue45876 messages
2021-11-23 08:21:50rhettingercreate