Adyt
Adyt

Reputation: 1472

How do i split a String into multiple values?

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#

Upvotes: 3

Views: 17915

Answers (5)

Ali Ersöz
Ali Ersöz

Reputation: 16086

Needless Linq version;

from s in str.Split(',')
where !String.IsNullOrEmpty(s.Trim())
select s.Trim();

Upvotes: 4

Gordon Mackie JoanMiro
Gordon Mackie JoanMiro

Reputation: 3489

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));
}

Upvotes: 3

Jon Skeet
Jon Skeet

Reputation: 1500435

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;
}

Upvotes: 4

Ray Lu
Ray Lu

Reputation: 26658

It gives you a string array by strVar.Split

"dog, cat, mouse,bird".Split(new[] { ',' });

Upvotes: 1

dove
dove

Reputation: 20674

    string[] tokens = text.Split(',');

    for (int i = 0; i < tokens.Length; i++)
    {
          yourListBox.Add(new ListItem(token[i], token[i]));
    }

Upvotes: 8

Related Questions