'Split string based on the first occurrence of the character
How can I split a C# string based on the first occurrence of the specified character? Suppose I have a string with value:
101,a,b,c,d
I want to split it as
101
a,b,c,d
That is by the first occurrence of comma character.
Solution 1:[1]
string s = "101,a,b,c,d";
int index = s.IndexOf(',');
string first = s.Substring(0, index);
string second = s.Substring(index + 1);
Solution 2:[2]
You can use Substring to get both parts separately.
First, you use IndexOf to get the position of the first comma, then you split it :
string input = "101,a,b,c,d";
int firstCommaIndex = input.IndexOf(',');
string firstPart = input.Substring(0, firstCommaIndex); //101
string secondPart = input.Substring(firstCommaIndex + 1); //a,b,c,d
On the second part, the +1 is to avoid including the comma.
Solution 3:[3]
Use string.Split() function. It takes the max. number of chunks it will create. Say you have a string "abc,def,ghi" and you call Split() on it with count parameter set to 2, it will create two chunks "abc" and "def,ghi". Make sure you call it like string.Split(new[] {','}, 2), so the C# doesn't confuse it with the other overload.
Solution 4:[4]
In .net Core you can use the following;
var pieces = myString.Split(',', 2);
Returns:
101
a,b,c,d
Solution 5:[5]
var pieces = myString.Split(',', 2);
This won't work. The overload will not match and the compiler will reject it.
So it Must be:
char[] chDelimiter = {','};
var pieces = myString.Split(chDelimiter, 2);
Sources
This article follows the attribution requirements of Stack Overflow and is licensed under CC BY-SA 3.0.
Source: Stack Overflow
| Solution | Source |
|---|---|
| Solution 1 | Arin Ghazarian |
| Solution 2 | Pierre-Luc Pineault |
| Solution 3 | |
| Solution 4 | mark_h |
| Solution 5 | Dilan |
