问题描述
||
我正在寻找将字符串替换为随机值-并保持相同的长度。但是,我希望将所有字符替换为字符,将数字替换为数字。
我想知道这样做的最佳方法。我正在考虑通过每个字符进行for循环,但这可能会占用大量的性能。
我可能是错的,在这种情况下,请务必告诉我。
谢谢
解决方法
你错了。要知道它是字符还是数字,您需要查看字符串中的每个值,因此无论如何都需要遍历字符串。
,除非您有性能要求和/或问题,否则请不要进行微优化。只需使用一个循环。
,在不循环遍历每个角色的情况下,您还将如何做?至少,您需要查看字符是否为数字并替换它。我假设您可以创建一个名为RandomChar和RandomDigit的函数。而且这将比c#ish编写更多的c ++ ish,但是您会明白:
for (int i=0;i<myStr.Length();++i)
{
c=myStr[i];
if(isDigit(c))
{
c=RandomDigit();
}
else
{
c=RandomChar();
}
myStr[i]=c;
}
确实没有其他方法,因为您仍然需要检查每个字符。
函数isDigit,RandomDigit和RandomChar作为练习留给读者。
,如果它是长字符串,则可能是因为更改字符串会导致创建新对象。我将使用for循环,但是将您的字符串转换为char数组操作,然后再转换回字符串。
,(我假设您已经有生成随机字符的方法。)
var source = \"RUOKICU4T\";
var builder = new StringBuilder(source.Length);
for (int index = 0; index < builder.Length; index += 1)
{
if (Char.IsDigit(source[index]))
{
builder[index] = GetRandomDigit();
}
else if (Char.IsLetter(source[index]))
{
builder[index] = GetRandomLetter();
}
}
string result = builder.ToString();
,考虑使用LINQ来帮助避免显式循环。您可以重构以确保数字
static void Main()
{
string value = \"She sells 2008 sea shells by the (foozball)\";
string foo = string.Join(\"\",value
.ToList()
.Select(x => GetRand(x))
);
Console.WriteLine(foo);
Console.Read();
}
private static string GetRand(char x)
{
int asc = Convert.ToInt16(x);
if (asc >= 48 && asc <= 57)
{
//get a digit
return (Convert.ToInt16(Path.GetRandomFileName()[0]) % 10).ToString();
}
else if ((asc >= 65 && asc <= 90)
|| (asc >= 97 && asc <= 122))
{
//get a char
return Path.GetRandomFileName().FirstOrDefault(n => Convert.ToInt16(n) >= 65).ToString();
}
else
{ return x.ToString(); }
}