如何在SymPy中使用另一个基本系统?我想做一些与Rational(string)类似的事情,但不是在10中做。

最佳答案

您所需的大多数内容都可以在Python中使用:

def sdigits(s, b, tuple=False):
    p = len(s.split('.')[1])
    n, d = (int(s.replace('.', ''), base=b), b**p)
    if tuple:
        return n, d
    return '%s/%s' % (n, d)


这将产生以下结果,

sdigits('1.1', 3) -> '4/3'
sdigits('1.01', 3) -> '10/9'
sdigits('-1.12', 3) -> '-14/9'
sdigits('-1.12', 3, tuple=True) -> (-14, 9)
sdigits('1.2', 4) -> '6/4'


为了从SymPy提供简化比率的能力中受益,您可以将任何输出传递给Rational:

Rational(sdigits('1.2', 4)) -> 3/2
Rational(*sdigits('1.2', 4, tuple=True)) -> 3/2

10-02 06:13