UVa 10306 - e-Coins

Contents

  1. 1. Problem
  2. 2. Solution
  3. 3. Code

Problem

題目網址
中文網址

給你 e-modulus 值,還有數個 e-coin ,每個 e-coin 會有 InfoTechnological value 和 conventional value ,而 e-modulus 的算法是 $SQRT(X\times X+Y\times Y)$ ,X 為所選取之 e-coin 的 InfoTechnological value 總量, Y 則為 conventional value 的。

今欲計算此 e-modulus 需要幾個 e-coin 才可湊得。

Solution

( InfoTechnological value , conventional value )
e-modulus 的最大值為 300 ( $300\times300+0=90000$ ),所以最多只會有 300 個 e-coin (1,0) or (0,1),把 dp[][] 先初始化為 301 ,記得 dp[0][0] = 0 方便待會計算。

DP: dp[x][y] = MIN(dp[x][y], dp[x - c][y - tech] + 1) ,計算 (x , y) 不同組合時 e-coin 的最少數量。
(計算 e-modulus 時,要先算好所有 e-coin 中 x 和 y 的總和,才開始進行平方的動作)

最後就是從 dp[][] 裡找 ( x , y ) 中可以達到給定的 e-modulus 值,其所需的最少 e-coin 量。

Code

UVa 10306UVa 10306 - e-Coins
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66

#include<cstdio>
#define MIN(a,b) ((a)<(b)?(a):(b))

struct ECoin
{
int c;//conventional value
int tech;//InfoTechnological value

}coin[41];

int solve(int n, int modulus);
int main()
{
int Case;
scanf("%d", &Case);

while (Case--)
{
int n, modulus, i;
scanf("%d%d", &n, &modulus);
for (i = 0; i < n; i++)
scanf("%d%d", &coin[i].c, &coin[i].tech);

int ans = solve(n, modulus);
if (ans > 300)
puts("not possible");
else
printf("%d\n", ans);
}

return 0;
}
int solve(int n, int modulus)
{
int dp[301][301] = {}, tar = modulus*modulus;
int i, j;

//init
for (i = 0; i <= modulus; i++)
for (j = 0; j <= modulus; j++)
dp[i][j] = 301;

//方便待會做DP
dp[0][0] = 0;

//DP,計算 e-modulus 所需的 e-coin 數量
for (i = 0; i < n; i++)
{
int c = coin[i].c, tech = coin[i].tech;
for (int x = c; x*x + tech*tech <= tar; x++)
for (int y = tech; x*x + y*y <= tar; y++)
dp[x][y] = MIN(dp[x][y], dp[x - c][y - tech] + 1);
}

//找出最小的湊法
int min = 301;
for (i = 0; i <= modulus; i++)
for (j = 0; j <= modulus; j++)
if (i*i + j*j == tar)
if (min>dp[i][j])
min = dp[i][j];

return min;
}