Computer >> 컴퓨터 >  >> 프로그램 작성 >> C++

코인을 지불하여 n에 도달하는 데 필요한 작업 수를 계산하는 C++ 프로그램

<시간/>

5개의 숫자 N, A, B, C, D가 있다고 가정합니다. 숫자 0에서 시작하여 N에서 끝납니다. 다음 작업으로 특정 수의 동전으로 숫자를 변경할 수 있습니다. -

  • 숫자에 2를 곱하여 A코인 지급
  • 숫자에 3을 곱하면 B코인 지급
  • 숫자에 5를 곱하여 C 코인 지불
  • 1씩 늘리거나 줄여 D코인을 지급합니다.

이러한 작업은 순서에 관계없이 여러 번 수행할 수 있습니다. N에 도달하는 데 필요한 최소 동전 수를 찾아야 합니다.

따라서 입력이 N =11과 같으면; A =1; B =2; C =2; D =8이면 초기에 x가 0이기 때문에 출력은 19가 됩니다.

8개의 코인에 대해 x가 1만큼 증가합니다(x=1).

1코인의 경우 x에 2를 곱합니다(x=2).

2코인의 경우 x에 5를 곱합니다(x=10).

8코인의 경우 1만큼 증가합니다(x=11).

단계

이 문제를 해결하기 위해 다음 단계를 따릅니다. −

Define one map f for integer type key and value
Define one map vis for integer type key and Boolean type value
Define a function calc, this will take n
if n is zero, then:
   return 0
if n is in vis, then:
   return f[n]
vis[n] := 1
res := calc(n / 2) + n mod 2 * d + a
if n mod 2 is non-zero, then:
   res := minimum of res and calc((n / 2 + 1) + (2 - n mod 2)) * d + a)
res := minimum of res and calc(n / 3) + n mod 3 * d + b
if n mod 3 is non-zero, then:
   res := minimum of res and calc((n / 3 + 1) + (3 - n mod 3)) * d + b)
res := minimum of res and calc(n / 5) + n mod 5 * d + c
if n mod 5 is non-zero, then:
   res := minimum of res and calc((n / 5 + 1) + (5 - n mod 5))
if (res - 1) / n + 1 > d, then:
   res := n * d
return f[n] = res
From the main method, set a, b, c and d, and call calc(n)

예시

이해를 돕기 위해 다음 구현을 살펴보겠습니다. −

#include <bits/stdc++.h>
using namespace std;

int a, b, c, d;
map<long, long> f;
map<long, bool> vis;

long calc(long n){
   if (!n)
      return 0;
   if (vis.find(n) != vis.end())
      return f[n];
   vis[n] = 1;
   long res = calc(n / 2) + n % 2 * d + a;
   if (n % 2)
      res = min(res, calc(n / 2 + 1) + (2 - n % 2) * d + a);
   res = min(res, calc(n / 3) + n % 3 * d + b);
   if (n % 3)
      res = min(res, calc(n / 3 + 1) + (3 - n % 3) * d + b);
   res = min(res, calc(n / 5) + n % 5 * d + c);
   if (n % 5)
      res = min(res, calc(n / 5 + 1) + (5 - n % 5) * d + c);
   if ((res - 1) / n + 1 > d)
      res = n * d;
   return f[n] = res;
}
int solve(int N, int A, int B, int C, int D){
   a = A;
   b = B;
   c = C;
   d = D;
   return calc(N);
}
int main(){
   int N = 11;
   int A = 1;
   int B = 2;
   int C = 2;
   int D = 8;
   cout << solve(N, A, B, C, D) << endl;
}

입력

11, 1, 2, 2, 8

출력

19