HDOJ 1015 Safecracker
题目
分类
dfs
题意
要打开安全锁
密码 由 一个数字 和 一个字符串组成
从给定字符中找 5 个字符 v, w, x, y, z 满足 v - w^2 + x^3 - y^4 + z^5 (A=1, B=2, …, Z=26).例如 :
输入 1 ABCDEFGHIJKL
由于 6 - 9^2 + 5^3 - 3^4 + 2^5 = 1
输出 LKEBA
题解
由于极限枚举 是从 26 个中选 5 个(有顺序)
由组合数学 极限值为
n! / (n - m)! = 7893600
一般不会都需要这么多次,枚举可行
技巧
由于题目要求有重复答案输出字典序最大的
因此 先将由字符由大到小排序 会加快速度
由于 字母有26个 可以用 32位 int标记遍历状态,压缩空间
代码
#include <iostream>
#include <algorithm>
#include <cmath>
#include <cstring>
using namespace std;
int tgt;
bool f;
//找到答案标志,用于及时终止dfs
char maxs[6];
int mul(int v,int w,int x,int y,int z);
int dfs(char * d,char * res,int df,int t);
bool cmp(const char & a,const char & b);
int main()
{
int n;
char s[27];
char rs[6];
while(cin >> tgt >> s)
{
f = false;
// cout << s << strlen(s) << endl;
if(!strcmp(s,"END"))
{
break;
}
if(strlen(s) < 5)
{
cout << "no solution" << endl;
continue;
}
// cout << "s " << endl;
sort(s,s + strlen(s),cmp);
//排序 便于按最大序输出
// cout << "bs " << s << endl;
dfs(s,rs,0,0);
if(f)
cout << maxs << endl;
else cout << "no solution" << endl;
}
return 0;
}
int dfs(char * d,char * res,int df,int t)
{
if(t == 5)
{
int j = 0;
int sum = mul(res[0] - '@',res[1] - '@',res[2] - '@',res[3] - '@',res[4] - '@');
// A的ASCII码前一个是 '@'
if(sum == tgt)
if(!f)
{
f = true;
strcpy(maxs,res);
}
return 0;
}
for(int i = 0;i < strlen(d);i++)
{
if(f == true)
return 0;
if(df & (1 << i))
continue;
df |= 1 << i;
// 位运算标记遍历过的数
res[t] = d[i];
dfs(d,res,df,t+1);
df &= ~(1 << i);
// 位运算恢复遍历过的数
}
return 0;
}
int mul(int v,int w,int x,int y,int z)
{
return v - w*w + x*x*x - y*y*y*y + z*z*z*z*z;
}
bool cmp(const char & a,const char & b)
{
if(a > b)
return true;
else return false;
}