Split string based on the first occurrence of the character
You can specify how many substrings to return using string.Split
:
var pieces = myString.Split(new[] { ',' }, 2);
Returns:
101
a,b,c,d
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.
string s = "101,a,b,c,d";
int index = s.IndexOf(',');
string first = s.Substring(0, index);
string second = s.Substring(index + 1);
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.