UVa 656 - Optimal Programs

链接

传送门

题意

给出5种操作,给出\(n\)个初始数字,及\(n\)个结果。输出能使所有给定初始数字转化为给定结果的操作,多解输出字典序最小的解,忽略10次以上的操作序列。

思路

bfs搜出第一个数字的操作序列,然后验证其他数字是否满足。

代码

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
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
#include <cstdio>
#include <cstring>
#include <algorithm>
#include <queue>
#include <stack>
using namespace std;

const int maxn = 15;
const char *op[] = {"ADD", "DIV", "DUP", "MUL", "SUB"};
int n, t;
int x[maxn], y[maxn];

struct node{
stack<int> s;
int p[maxn], len;
node() {}
node(int x) {
s = stack<int>();
s.push(x);
len = 0;
}
} ans;
queue<node> q;

bool judge(node& k) {
for (int i = 1; i < n; ++i) {
stack<int> s;
s.push(x[i]);
for (int j = 0; j < k.len; ++j) {
if (k.p[j] == 2) {
s.push(s.top());
} else {
if (s.size() <= 1) {
return false;
}
int a = s.top();
s.pop();
int b = s.top();
s.pop();
if (k.p[j] == 0) {
s.push(a + b);
} else if (k.p[j] == 1) {
if (a == 0) {
return false;
}
s.push(b / a);
} else if (k.p[j] == 3) {
s.push(a * b);
} else {
s.push(b - a);
}
}
if (s.top() > 30000 || s.top() < -30000) {
return false;
}
}
if (s.size() != 1 || s.top() != y[i]) {
return false;
}
}
return true;
}

bool bfs() {
q = queue<node>();
q.push(node(x[0]));
while (!q.empty()) {
node k = q.front();
q.pop();
if (k.s.top() == y[0] && judge(k)) {
ans = k;
return true;
}
if (k.len >= 10) {
continue;
}
for (int i = 0; i < 5; ++i) {
node tmp = k;
tmp.p[tmp.len++] = i;
if (i == 2) {
if (int(k.s.size() + k.len - 10) > 1) {
continue;
}
tmp.s.push(tmp.s.top());
} else {
if (int(k.s.size()) <= 1) {
continue;
}
int a = tmp.s.top();
tmp.s.pop();
int b = tmp.s.top();
tmp.s.pop();
if (i == 0) {
tmp.s.push(a + b);
} else if (i == 1) {
if (a == 0) {
continue;
}
tmp.s.push(b / a);
} else if (i == 3) {
tmp.s.push(a * b);
} else {
tmp.s.push(b - a);
}
}
if (tmp.s.top() > 30000 || tmp.s.top() < -30000) {
continue;
}
q.push(tmp);
}
}
return false;
}

int main() {
while (~scanf("%d", &n) && n) {
for (int i = 0; i < n; ++i) {
scanf("%d", &x[i]);
}
for (int i = 0; i < n; ++i) {
scanf("%d", &y[i]);
}
printf("Program %d\n", ++t);
if (bfs()) {
if (ans.len == 0) {
puts("Empty sequence");
} else {
for (int i = 0; i < ans.len; ++i) {
printf("%s%c", op[ans.p[i]], i == ans.len - 1 ? '\n' : ' ');
}
}
} else {
puts("Impossible");
}
puts("");
}
return 0;
}