我有我拆分的字符串,以查看是否有任何拆分值是字符串。如果是这样,我想返回 true,否则返回 false。
string words = "1 2 c 5";
简单的方法,我可以转换为 int 数组,然后并排比较值。
int[] iar = words.Split(' ').Select(s => int.TryParse(s, out n) ? n : 0).ToArray();
任何人都可以推荐更好的方法吗?
您可以简单地检查而不使用Split
:
var result = words.Any(c => !char.IsWhiteSpace(c)
&& !char.IsDigit(c));
或使用Split
:
var result = words.Split()
.Any(w => w.Any(c => !char.IsDigit(c)));
关键是您可以使用char.IsDigit
to 检查而不是使用int.Parse
or int.TryParse
。
你可以用一个简单的小方法来做到这一点:
public static bool CheckForNum(string[] wordsArr)
{
int i = 0;
foreach (string s in wordsArr)
{
if (Int32.TryParse(s, out i))
{
return true;
}
}
return false;
}
使用:
bool result = CheckForNum(words.Split(' '));
Console.Write(result);
为什么不使用正则表达式?如果字符串中包含单词和数字,则它必须包含字母和数字字符。我不完全理解您问题中的逻辑,因此您可能需要在此处调整逻辑。
using System;
using System.Text.RegularExpressions;
...
string words = "1 2 c 5";
Match numberMatch = Regex.Match(words, @"[0-9]", RegexOptions.IgnoreCase);
Match letterMatch = Regex.Match(words, @"[a-zA-Z]", RegexOptions.IgnoreCase);
// Here we check the Match instance.
if (numberMatch.Success && letterMatch.Success)
{
// there are letters and numbers
}