我需要恢复我的密码,我知道一些字母,但忘记了我用过的其他字符。我需要一种方法来生成密码的所有可能的排列,给定一些已知的字符和一些未知的。例如,我想在文本框中输入“mic ?? s ?? t”之类的短语,程序将生成所有可能的排列。在这种情况下,我知道只有几个字符可能用于代替那些问号,但我希望程序可以选择置换所有字符AZ,az,0-9,/ symbols /等,或者a特定的字符集,如EG,ty,1-4等,通过第二个文本框作为字符串进入。
使用所有字符,它可能会生成一个列表
micAAsAAt
micAAsABt
micAAsACt
micAAsADt
....
使用一组有限的字符,例如E-G,它只是看起来像
micEEsEEt
micEEsEFt
micEEsEGt
micEEsFEt
micEEsFFt
....
如果要做到这一点的唯一方法是为N长度的单词生成每个排列周期,不管是否为通配符,然后用正则表达式模式检查每个排列周期以过滤掉无用的单词,我可以接受(它会虽然产生了256 ^ N个可能的组合。否则,我宁愿能够使用递归生成所有可能的数组(我需要帮助)。最后,我想生成这些排列的txt文件列表。我真的需要这里的递归帮助。我用C#。
答案 0 :(得分:1)
这是一个融合递归和迭代方法的简单解决方案。我想可以实现完全递归的解决方案,但我发现这种方法更容易理解。
//List of characters to substitute in place of '?'
List<char> validChars = new List<char>() { 'w', 'x', 'y', 'z' };
//List of combinations generated
List<string> combos = new List<string>();
void GenerateCombos(string mask, string combination)
{
if (mask.Length <= 0)
{
//No more chars left in the mask, add this combination to the solution list.
combos.Add(combination);
return;
}
if (mask[0] != '?')
{
//This is not a wildcard, append the first character of the mask
//to the combination string and call the function again with
//the remaining x characters of the mask.
GenerateCombos(mask.Substring(1), combination + mask[0]);
}
else
{
//This is a wildcard, so for each of the valid substitution chars,
//append the char to the combination string and call again
//with the remaining x chars of the mask.
validChars.ForEach(c => GenerateCombos(mask.Substring(1), combination + c));
}
}
调用该函数将是:
string mask = "mic??s??t";
string combination = String.Empty;
GenerateCombos(mask, combination);
答案 1 :(得分:0)
实际上是组合而不是排列。
无论如何,为什么要使用递归?
使用递归是因为我们可以想到以递归方式工作的解决方案,因此我们编程匹配。通常,编译器无法将其优化为更快,更小的迭代版本,但这通常很好。但是,如果你自己不能想到一个递归方法,那么为什么要寻求它的帮助,而不是迭代方法?
private IEnumerable<string> Combinations()
{
//Let's just use a-c for a test run.
string setOfChars = "abc";
//Let's return for four characters to guess for. We can change this.
char[] buffer = new char[4];
//We'll change these indices and then use them to pick chars from
//setOfChars to the corresponding place in buffer
int[] setOfIndices = new int[buffer.Length];
//set up initial position:
for(int i = 0; i != buffer.Length; ++i)
buffer[i] = setOfChars[0];
//return our inital position.
yield return new string(buffer);
//Now for our actual combinations.
for(int i = 0; i != buffer.Length; ++i)
{
if(++setOfIndices[i] == setOfChars.Length)
//if we've pushed an index out of range, then set it back to zero.
setOfIndices[i] = 0;
else
{
//otherwise move our position for changing things back to zero
i = -1;
//and generate our new combination.
for(int j = 0; j != buffer.Length; ++j)
buffer[j] = setOfChars[setOfIndices[j]];
yield return new string(buffer);
}
}
}
这应该给我们81个不同的字符串(3到4的幂)。确实如此。在其上调用Distinct()
以确保错误不会造成重复仍然会给我们81.快乐的日子。