How to check if a String contains any letter from

2019-01-09 00:40发布

Possible Duplicate:
C# Regex: Checking for “a-z” and “A-Z”

I could just use the code below:

String hello = "Hello1";
Char[] convertedString = String.ToCharArray();
int errorCounter = 0;
for (int i = 0; i < CreateAccountPage_PasswordBox_Password.Password.Length; i++) {
    if (convertedString[i].Equals('a') || convertedString[i].Equals('A') .....
                            || convertedString[i].Equals('z') || convertedString[i].Equals('Z')) {
        errorCounter++;
    }
}
if(errorCounter > 0) {
    //do something
}

but I suppose it takes too much line for just a simple purpose, I believe there is a way which is much more simple, the way which I have not yet mastered.

6条回答
我欲成王,谁敢阻挡
2楼-- · 2019-01-09 01:04

You can look for regular expression

Regex.IsMatch(str, @"^[a-zA-Z]+$");
查看更多
做自己的国王
3楼-- · 2019-01-09 01:06

Replace your for loop by this :

errorCounter = Regex.Matches(yourstring,@"[a-zA-Z]").Count;

Remember to use Regex class, you have to using System.Text.RegularExpressions; in your import

查看更多
贪生不怕死
4楼-- · 2019-01-09 01:08

You could use RegEx:

Regex.IsMatch(hello, @"^[a-zA-Z]+$");

If you don't like that, you can use LINQ:

hello.All(Char.IsLetter);

Or, you can loop through the characters, and use isAlpha:

Char.IsLetter(character);
查看更多
家丑人穷心不美
5楼-- · 2019-01-09 01:08

Use regular expression no need to convert it to char array

if(Regex.IsMatch("yourString",".*?[a-zA-Z].*?"))
{
errorCounter++;
}
查看更多
我只想做你的唯一
6楼-- · 2019-01-09 01:15

For a minimal change:

for(int i=0; i<str.Length; i++ )
   if(str[i] >= 'a' && str[i] <= 'z' || str[i] >= 'A' && str[i] <= 'Z')
      errorCount++;

You could use regular expressions, at least if speed is not an issue and you do not really need the actual exact count.

查看更多
再贱就再见
7楼-- · 2019-01-09 01:29

What about:

//true if it doesn't contain letters
bool result = hello.Any(x => !char.IsLetter(x));
查看更多
登录 后发表回答