列表

详情


972. 相等的有理数

给定两个字符串 s 和 t ,每个字符串代表一个非负有理数,只有当它们表示相同的数字时才返回 true 。字符串中可以使用括号来表示有理数的重复部分。

有理数 最多可以用三个部分来表示:整数部分 <IntegerPart>小数非重复部分 <NonRepeatingPart> 和小数重复部分 <(><RepeatingPart><)>。数字可以用以下三种方法之一来表示:

十进制展开的重复部分通常在一对圆括号内表示。例如:

 

示例 1:

输入:s = "0.(52)", t = "0.5(25)"
输出:true
解释:因为 "0.(52)" 代表 0.52525252...,而 "0.5(25)" 代表 0.52525252525.....,则这两个字符串表示相同的数字。

示例 2:

输入:s = "0.1666(6)", t = "0.166(66)"
输出:true

示例 3:

输入:s = "0.9(9)", t = "1."
输出:true
解释:"0.9(9)" 代表 0.999999999... 永远重复,等于 1 。[有关说明,请参阅此链接]
"1." 表示数字 1,其格式正确:(IntegerPart) = "1" 且 (NonRepeatingPart) = "" 。

 

提示:

​​​​​

原站题解

去查看

上次编辑到这里,代码来自缓存 点击恢复默认模板
class Solution { public: bool isRationalEqual(string s, string t) { } };

golang 解法, 执行用时: 0 ms, 内存消耗: 1.8 MB, 提交时间: 2023-09-07 11:22:31

func isRationalEqual(s string, t string) bool {
	s_arr_dot := strings.Split(s, ".")
	t_arr_dot := strings.Split(t, ".")

	// 先获取整数部分
	sf, _ := strconv.ParseFloat(s_arr_dot[0], 64)
	tf, _ := strconv.ParseFloat(t_arr_dot[0], 64)

	// 把小数点后的值加回来
	fn(&sf, s_arr_dot)
	fn(&tf, t_arr_dot)

	return abs(sf-tf) < 1e-10
}

func fn(sf *float64, s_arr_dot []string) {
	if len(s_arr_dot) > 1 && s_arr_dot[1] != "" { // '.' 后还有数值
		s_arr_p := strings.Split(s_arr_dot[1], "(")
		if len(s_arr_p) == 1 || (len(s_arr_p) > 1 && s_arr_p[0] != "") { // '.' 后存在不循环部分
			tmp, _ := strconv.ParseFloat(s_arr_p[0], 64)
			*sf += tmp / math.Pow10(len(s_arr_p[0]))
		}
		if len(s_arr_p) > 1 && s_arr_p[1] != "" { // 有循环部分
			n := strings.Split(s_arr_p[1], ")")[0]
			tmp, _ := strconv.ParseFloat(n, 64)
			nf := tmp / math.Pow10(len(s_arr_p[0])+len(n))
			nf = nf / (1 - 1/math.Pow10(len(n))) // 等比数列求和
			*sf += nf
		}
	}
}

func abs(a float64) float64 {
	if a < 0 {
		return -a
	}
	return a
}

java 解法, 执行用时: 4 ms, 内存消耗: 39.7 MB, 提交时间: 2023-09-07 11:21:49

class Solution {
    public boolean isRationalEqual(String S, String T) {
        Fraction f1 = convert(S);
        Fraction f2 = convert(T);
        return f1.n == f2.n && f1.d == f2.d;
    }

    public Fraction convert(String S) {
        int state = 0; //whole, decimal, repeating
        Fraction ans = new Fraction(0, 1);
        int decimal_size = 0;

        for (String part: S.split("[.()]")) {
            state++;
            if (part.isEmpty()) continue;
            long x = Long.valueOf(part);
            int sz = part.length();

            if (state == 1) { // whole
                 ans.iadd(new Fraction(x, 1));
            } else if (state == 2) { // decimal
                 ans.iadd(new Fraction(x, (long) Math.pow(10, sz)));
                 decimal_size = sz;
            } else { // repeating
                 long denom = (long) Math.pow(10, decimal_size);
                 denom *= (long) (Math.pow(10, sz) - 1);
                 ans.iadd(new Fraction(x, denom));
            }
        }
        return ans;
    }
}

class Fraction {
    long n, d;
    Fraction(long n, long d) {
        long g = gcd(n, d);
        this.n = n / g;
        this.d = d / g;
    }

    public void iadd(Fraction other) {
        long numerator = this.n * other.d + this.d * other.n;
        long denominator = this.d * other.d;
        long g = Fraction.gcd(numerator, denominator);
        this.n = numerator / g;
        this.d = denominator / g;
    }

    static long gcd(long x, long y) {
        return x != 0 ? gcd(y % x, x) : y;
    }
}

python3 解法, 执行用时: 36 ms, 内存消耗: 15.9 MB, 提交时间: 2023-09-07 11:21:25

from fractions import Fraction

class Solution:
    def isRationalEqual(self, s: str, t: str) -> bool:
        def convert(S: str) -> int:
            if '.' not in S:
                return Fraction(int(S), 1)
            i = S.index('.')
            ans = Fraction(int(S[:i]), 1)
            S = S[i+1:]
            if '(' not in S:
                if S:
                    ans += Fraction(int(S), 10 ** len(S))
                return ans

            i = S.index('(')
            if i:
                ans += Fraction(int(S[:i]), 10 ** i)
            S = S[i+1:-1]
            j = len(S)
            ans += Fraction(int(S), 10**i * (10**j - 1))
            return ans

        return convert(s) == convert(t)

上一题