题面
题解(迭代加深)
迭代加深
使用场景:当存在较长的分支时,而答案却在很短的分支。我们在搜索较长 的分支时会浪费大量的时间
大体思想:设定一个最大的搜索层数,如果可以搜索到答案,直接退出, 如果无解,则增大最大的搜索层数
分析
我们可以确定的是第一个位置一定是1,第二个位置一定是2,然后开始搜索第三个位置可以是3,4…
我们可以发现,可能存在一个序列1,2,3,4,5,6,…题中数据范围是n<=100,那么存在搜索分支达到100层,我们再估算正解,因为要求最小长度,所以每次尽可能的大,1,2,4,8,16,32,64,128 所以正解的长度会很小,所以我们要用迭代加深
剪枝1:优化搜索顺序:对于每个位置,优先枚举较大的数
剪枝2:排除等效冗余:前面两个数之和可能相等,开一个bool数组记录
代码
#include<bits/stdc++.h>
using namespace std;
const int N=110;
int n;
int path[N];
bool dfs(int u,int depth){
if(u==depth) return path[u-1]==n;
bool st[N]={0};
for(int i=u-1;i>=0;i--){
for(int j=i;j>=0;j--){
int s=path[i]+path[j];
if(s>n||s<=path[u-1]||st[s]) continue;
st[s]=true;
path[u]=s;
if(dfs(u+1,depth)) return true;
}
}
return false;
}
int main(){
path[0]=1;
while(cin>>n,n){
int depth=1;
while(!dfs(1,depth)) depth++;
for(int i=0;i<depth;i++){
cout<<path[i]<<' ';
}
cout<<endl;
}
return 0;
}