string.IsNullOrEmpty(myString.Trim())
对比string.IsNullOrWhiteSpace(myString)
哪个更快或更可靠,为什么?
string.IsNullOrEmpty(myString.Trim())
对比string.IsNullOrWhiteSpace(myString)
哪个更快或更可靠,为什么?
string.IsNullOrEmpty(myString.Trim())
myString
if is会抛出异常null
,而string.IsNullOrWhiteSpace(myString)
会正常工作,因此更可靠。
至于性能,string.IsNullOrWhiteSpace
应该会更快。
string.IsNullOrWhiteSpace(myString)
是检查变量是否为空或空格的首选方法。
IsNullOrWhiteSpace是一种与以下代码类似的便捷方法,不同之处在于它提供了卓越的性能:
return String.IsNullOrEmpty(value) || value.Trim().Length == 0;
可靠性的唯一区别是myString.Trim()
可能会抛出NullReferenceException。
从性能的角度来看,Trim是决定因素。请注意,在Trim的情况下,字符串是如何从每一端迭代的。正如@Lukazoid 指出的那样,在某些情况下,这可能会特别昂贵。IsNullOrWhiteSpace将从头开始,仅遍历字符串,直到找到非空白字符。下面是 .NET 源代码。
public static bool IsNullOrEmpty(String value) {
return (value == null || value.Length == 0);
}
[Pure]
public static bool IsNullOrWhiteSpace(String value) {
if (value == null) return true;
for(int i = 0; i < value.Length; i++) {
if(!Char.IsWhiteSpace(value[i])) return false;
}
return true;
}
// Trims the whitespace from both ends of the string. Whitespace is defined by
// Char.IsWhiteSpace.
//
[Pure]
public String Trim() {
Contract.Ensures(Contract.Result<String>() != null);
Contract.EndContractBlock();
return TrimHelper(TrimBoth);
}
[System.Security.SecuritySafeCritical] // auto-generated
private String TrimHelper(int trimType) {
//end will point to the first non-trimmed character on the right
//start will point to the first non-trimmed character on the Left
int end = this.Length-1;
int start=0;
//Trim specified characters.
if (trimType !=TrimTail) {
for (start=0; start < this.Length; start++) {
if (!Char.IsWhiteSpace(this[start])) break;
}
}
if (trimType !=TrimHead) {
for (end= Length -1; end >= start; end--) {
if (!Char.IsWhiteSpace(this[end])) break;
}
}
return CreateTrimmedString(start, end);
}
string.IsNullOrWhiteSpace(myString) 更可靠,因为当 myString 为空时它不会引发 NullReferenceException。我相信 IsNullOrWhiteSpace(myString) 比 myString.Trim() 快,想想一个字符串,两端包含 1 个空格,中间包含 300 万个其他字符。在检查之前,这三百万个字符必须被复制到一个新字符串中。IsNullOrWhiteSpace 必须比较两个字符。
String.IsNullOrWhiteSpace()
将更可靠,更快。
更可靠,因为它正确处理 null。而且速度更快,因为它不需要创建新字符串。
如果你真的想在优化方面走这么远,string.IsNullOrWhiteSpace(myString)
会有更好的性能,因为它能够立即返回结果。
取以下字符串:
" B C " (4 trailing spaces)
与string.IsNullOrEmpty(myString.Trim())
:
总共检查了 6 个字符。
与string.IsNullOrWhitespace(myString)
:
总共检查了 2 个字符。
尾随空格的数量越大,string.IsNullOrWhitespace(myString)
相对于替代方案的好处就越大。
正如其他答案和评论中所述,附加字符串的实例化Trim()
会增加更多开销。
这取决于您的应用程序,但您必须小心转义字符。在这里我们考虑String.IsNullOrEmpty
:
String.IsNullOrEmpty(""); //True
String.IsNullOrEmpty(null); //True
String.IsNullOrEmpty(" "); //False
String.IsNullOrEmpty("\n"); //False
String.IsNullOrEmpty("\t"); //False
String.IsNullOrEmpty("hello"); //False
现在String.IsNullOrWhiteSpace
:
String.IsNullOrWhiteSpace("");//True
String.IsNullOrWhiteSpace(null);//True
String.IsNullOrWhiteSpace(" ");//True
String.IsNullOrWhiteSpace("\n");//True
String.IsNullOrWhiteSpace("\t");//True
String.IsNullOrWhiteSpace("hello");//False