我意识到这个标题有很多关于 SO 的问题,但是我发现的所有问题都做了类似i = ++i
or之类的事情f(f(f(x)))
,这两个问题都不在这段代码中。这是对此的回溯解决方案的尝试。我对 C 有一些经验,但我刚刚开始尝试学习 C++,而且我一直在做 Codeforces 问题以进行练习。下面的片段是程序的主体。main
,我没有展示,处理输入和输出。我在这里使用全局变量来表示weights
, answer
, 并且max_depth
为了使每个堆栈帧solve
尽可能小。
引起麻烦的输入是weights = {1, 2, 3, 4, 5, 6, 7, 8, 9, 10}
and max_depth = 1000
。当我用 编译它时g++ std=C++11 file.cpp
,它给出“4 3 2 3 4 3 2 3 4 ... 3 2 1”,这是正确的答案。当 Codeforces 编译它时,它给出“9 10 9 10 9 10 9 10...”,这是不正确的。我的猜测是,for(int i : weights)
在标准中没有定义遍历向量的顺序,但即便如此,我也不明白为什么它会有任何区别。我错过了什么?
#include <iostream>
#include <vector>
#include <sstream>
using namespace std;
string answer = "";
vector<int> weights;
int max_depth;
bool solve(int left_scale, int right_scale, int last_added, int depth){
bool is_left = (depth % 2) == 0;
int new_weight;
int weight_to_inc = is_left ? left_scale : right_scale;
int weight_to_exceed = is_left ? right_scale : left_scale;
if (depth == max_depth){
return true;
}
for(int i : weights){
if (i != last_added){
new_weight = weight_to_inc + i;
if (new_weight > weight_to_exceed){
bool ans = solve(is_left ? new_weight : left_scale,
is_left ? right_scale : new_weight,
i, depth + 1);
if (ans){
stringstream ss;
ss << i;
answer.append(ss.str() + " ");
return true;
}
}
}
}
return false;
}
void start_solve(void){
if (solve(0, 0, 0, 0)){
return;
}
answer = "";
}
(我提交的完整代码,如果有什么不同,在这里。)
编辑:
万一有人偶然发现了这个寻找 Codeforces 问题的答案:这个代码的问题是“答案”被颠倒了。更改answer.append(ss.str() + " ")
为answer = ss.str() + answer
是使其正常工作的最短修复程序。