A除以B(20)(PAT乙級)
阿新 • • 發佈:2019-01-02
時間限制 1000 ms記憶體限制 32768 KB程式碼長度限制 100 KB
題目描述
本題要求計算A/B,其中A是不超過1000位的正整數,B是1位正整數。你需要輸出商數Q和餘數R,使得A = B * Q + R成立。
輸入描述:
輸入在1行中依次給出A和B,中間以1空格分隔。
輸出描述:
在1行中依次輸出Q和R,中間以1空格分隔。
輸入例子:
123456789050987654321 7
輸出例子:
17636684150141093474 3
python3:
a,b = map(int, input().split())
print(str(a//b)+" "+str(a%b))
python果然強大
Java自帶大數類BigInteger:
import java.math.BigInteger; import java.util.Scanner; public class Main { public static void main(String[] args) { Scanner input = new Scanner(System.in); BigInteger b1 = input.nextBigInteger(); BigInteger b2 = input.nextBigInteger(); System.out.println(b1.divide(b2) + " " + b1.remainder(b2)); } }
對於c++:
就像筆算除法,基本思想是把除法轉換為求商過程的逆轉,比於100/2等價於1/2商為0,餘數為1,商為0的情況下不能輸輸出,然後餘數和下一位即0組合1*10+0=10,就變成10/2商為5餘數為0,此時輸出商數。然後0和下一位0組合為0*10+0=0 0/2餘數為0,此時運算完畢
#include<iostream> using namespace std; int main() { string A; int B,Y = 0;//Y為餘數 cin >> A >> B; int temp = 10*(A[0]-'0')+(A[1]-'0');//先用前兩位去除 for(int i = 0; i < A.size()-1; i++) { int S = temp/B;//S為商 Y = temp%B;//Y為餘數 temp = 10*Y + (A[i+2]-'0');//temp看演算紙 cout << S; } cout << " " << Y; return 0; }