C# tip: String.IsNullOrEmpty or String.IsNullOrWhiteSpace?
Just a second! π«·
If you are here, it means that you are a software developer. So, you know that storage, networking, and domain management have a cost .
If you want to support this blog, please ensure that you have disabled the adblocker for this site. I configured Google AdSense to show as few ADS as possible - I don't want to bother you with lots of ads, but I still need to add some to pay for the resources for my site.
Thank you for your understanding.
- Davide
Imagine this: you have created a method that creates a new user in your system, like this:
void CreateUser(string username)
{
if (string.IsNullOrEmpty(username))
throw new ArgumentException("Username cannot be empty");
CreateUserOnDb(username);
}
void CreateUserOnDb(string username)
{
Console.WriteLine("Created");
}
It looks quite safe, right? Is the first check enough?
Let’s try it: CreateUser("Loki")
prints Created, while CreateUser(null)
and CreateUser("")
throw an exception.
What about CreateUser(" ")
?
Unfortunately, it prints Created: this happens because the string is not actually empty, but it is composed of invisible characters.
The same happens with escaped characters too!
To avoid it, you can replace String.IsNullOrEmpty
with String.IsNullOrWhiteSpace
: this method performs its checks on invisible characters too.
So we have:
String.IsNullOrEmpty(""); //True
String.IsNullOrEmpty(null); //True
String.IsNullOrEmpty(" "); //False
String.IsNullOrEmpty("\n"); //False
String.IsNullOrEmpty("\t"); //False
String.IsNullOrEmpty("hello"); //False
but also
String.IsNullOrWhiteSpace("");//True
String.IsNullOrWhiteSpace(null);//True
String.IsNullOrWhiteSpace(" ");//True
String.IsNullOrWhiteSpace("\n");//True
String.IsNullOrWhiteSpace("\t");//True
String.IsNullOrWhiteSpace("hello");//False
As you can see, the two methods behave in a different way.
If we want to see the results in a tabular way, we have:
value | IsNullOrEmpty | IsNullOrWhiteSpace |
---|---|---|
"Hello" |
false | false |
"" |
true | true |
null |
true | true |
" " |
false | true |
"\n" |
false | true |
"\t" |
false | true |
This article first appeared on Code4IT
Conclusion
Do you have to replace all String.IsNullOrEmpty
with String.IsNullOrWhiteSpace
? Probably yes, unless you have a specific reason to consider the latest three values in the table as valid characters.
More on this topic can be found here
π Let’s discuss it on Twitter or on the comment section below.
π§