拼多多2018.08.30笔试题解(三)

题目:

给出被除数和除数,求出循环小数的开始位置(小数点之后的位数)和循环长度。

输入描述:

第一行包含两个数字分别是被除数a和除数b(1 <= a, b <= 1000000)

输出描述:

输出一行,包含一个两个数字,分别表示循环小数的开始位置和循环体的长度(无循环则开始位置为结束位置,长度为0).

 

解题思路:

模拟除法步骤,解得每次得到的商和余数,记录,如果之前碰到过一致的商和余数,即可得到循环开始位置和循环体。

余数为0则直接退出循环。

 

CPP代码:

#include 
#include 
#include 

using namespace std;

pair work_func(int a, int b, vector >& r_list) {
    while (true) {
        if (a == 0) {
            pair res = make_pair(static_cast(r_list.size()), 0);
            return res;
        }
        a *= 10;
        int s = a / b;
        a = a % b;

        for (auto i = 0; i < r_list.size(); ++i) {
            if (s == r_list[i].first && a == r_list[i].second) {
                pair res = make_pair(static_cast(i), static_cast(r_list.size()-i));
                return res;
            }
        }
        pair temp = make_pair(s, a);
        r_list.push_back(temp);
    }
}

int main() {
    int a, b;
    cin >> a >> b;
    while (a > b) {
        a = a % b;
    }
    vector > r_list;
    r_list.clear();
    pair res;
    res = work_func(a, b, r_list);
    cout << res.first << " " << res.second << endl;
    return 0;
}

Python代码:

# Python3.6
def Work_Func(a, b, r_list):
    while True:
        if a == 0:
            res = [len(r_list), 0]
            return res

        a = a * 10
        s = int(a / b)
        a = a % b

        for i in range(len(r_list)):
            if s == r_list[i][0] and a == r_list[i][1]:
                res = [i, len(r_list) - i]
                return res

        r_list.append([s, a])


def main():
    a, b = [int(x) for x in input().split(" ")]
    while a > b:
        a = a % b
    r_list = []
    s1, s2 = Work_Func(a, b, r_list)
    print(s1, s2)



if __name__ == "__main__":
    main()

 

你可能感兴趣的:(校招笔试)