How do you split a string?
Lets say i have a string "dog, cat, mouse,bird"
My actual goal is to insert each of those animals into a listBox, so they would become items in a list box.
but i think i get the idea on how to insert those items if i know how to split the string. or does anyone know a better way to do this?
im using asp c#
string[] tokens = text.Split(',');
for (int i = 0; i < tokens.Length; i++)
{
yourListBox.Add(new ListItem(token[i], token[i]));
}
Have you tried String.Split? You may need some post-processing to remove whitespace if you want "a, b, c" to end up as {"a", "b", "c"} but "a b, c" to end up as {"a b", "c"}.
For instance:
private readonly char[] Delimiters = new char[]{','};
private static string[] SplitAndTrim(string input)
{
string[] tokens = input.Split(Delimiters,
StringSplitOptions.RemoveEmptyEntries);
// Remove leading and trailing whitespace
for (int i=0; i < tokens.Length; i++)
{
tokens[i] = tokens[i].Trim();
}
return tokens;
}
Needless Linq version;
from s in str.Split(',')
where !String.IsNullOrEmpty(s.Trim())
select s.Trim();
Or simply:
targetListBox.Items.AddRange(inputString.Split(','));
Or this to ensure the strings are trimmed:
targetListBox.Items.AddRange((from each in inputString.Split(',')
select each.Trim()).ToArray<string>());
Oops! As comments point out, missed that it was ASP.NET, so can't initialise from string array - need to do it like this:
var items = (from each in inputString.Split(',')
select each.Trim()).ToArray<string>();
foreach (var currentItem in items)
{
targetListBox.Items.Add(new ListItem(currentItem));
}
It gives you a string array by strVar.Split
"dog, cat, mouse,bird".Split(new[] { ',' });