Computer >> คอมพิวเตอร์ >  >> การเขียนโปรแกรม >> C++

เพิ่ม N หลักให้กับ A เพื่อให้หารด้วย B หลังจากการเพิ่มแต่ละครั้งใน C ++ หรือไม่


เราจะมาดูวิธีการสร้างตัวเลข A โดยการเพิ่ม N หลักด้วย และในขณะที่เพิ่มตัวเลขใหม่ในแต่ละขั้นตอน จะหารด้วยหมายเลข B อีกตัวหนึ่ง ลองพิจารณาว่าเรากำลังจะสร้างตัวเลข 5 หลักโดยบวก 4 ตัวเลขพิเศษกับมัน เราจะตรวจสอบการหารด้วย 7 ตัวเลขจะเริ่มจาก 8 ดังนั้นในตอนแรกมันจะต่อท้ายด้วย 4 ดังนั้นจำนวนจะเป็น 84 ที่หารด้วย 7 ลงตัว แล้วบวก 0 ด้วยตัวเลขจึงจะยังคงหารด้วย 7. หากไม่สามารถสร้างหมายเลขได้ หมายเลขจะกลับ -1

อัลกอริทึม

addNDigits(a, b, n)

begin
   num := a
   for all number x from 0 to 9, do
      temp := a * 10 + x
      if temp mod b is 0, then
         a := temp
         break
      end if
   done
   if num = a, then
      return -1
   end if
   add remaining 0’s with a
   return a.
end

ตัวอย่าง

#include<iostream>
using namespace std;
int add_n_digits(int a, int b, int n) {
   int num = a;
   for (int i = 0; i <= 9; i++) { //test by adding all digits (0-9)
      int tmp = a * 10 + i;
      if (tmp % b == 0) {
         a = tmp; //update a after adding
         break;
      }
   }
   if (num == a) //if no digit is added, return -1
      return -1;
   for (int j = 0; j < n - 1; j++) //after getting divisible number, add 0s
      a *= 10;
   return a;
}
main() {
   int a, b, n;
   cout << "Enter A, B and N: ";
   cin >> a >> b >> n;
   int res = add_n_digits(a, b, n);
   if(res == -1) {
      cout << "Unable to get this type of number";
   } else {
      cout << "Result is " << res;
   }
}

ผลลัพธ์

Enter A, B and N: 8 7 4
Result is 84000

ผลลัพธ์

Enter A, B and N: 10 11 5
Unable to get this type of number