EN
C# / .NET - split string and remove empty substrings
3
points
In C# / .NET it is possible to split string and remove empty substrings in following way.
1. Split by single character String.Split
method example
string text = "John,Mary,,,Laura,Chris";
string[] array = text.Split(",", StringSplitOptions.RemoveEmptyEntries);
foreach (string entry in array)
Console.WriteLine(entry);
Output:
John
Mary
Laura
Chris
2. Split by string String.Split
method example
string text = "John++++Mary++Laura++++Chris";
string[] array = text.Split("++", StringSplitOptions.RemoveEmptyEntries);
foreach (string entry in array)
Console.WriteLine(entry);
Output:
John
Mary
Laura
Chris
3. Split by array of chars String.Split
method example
string text = "John++Mary,,,,,Laura++Chris";
string[] array = text.Split(new char[] { ',', '+' }, StringSplitOptions.RemoveEmptyEntries);
foreach (string entry in array)
Console.WriteLine(entry);
Output:
John
Mary
Laura
Chris
4. Split by array of strings String.Split
method example
string text = "John[+]Mary,,,Laura[+]Chris,,[+][+]";
string[] array = text.Split(new string[] { ",", "[+]" }, StringSplitOptions.RemoveEmptyEntries);
foreach (string entry in array)
Console.WriteLine(entry);
Output:
John
Mary
Laura
Chris