Archie
Archie

Reputation: 2579

Fill WPF listbox with string array

Instead of adding each item one by one to the ListBox destinationList from the string array m_List like this:

foreach (object name in m_List)
{
    destinationList.Items.Add((string)name);
}

Is there any better way I can do it?

I don't want to bind the data to the destinationList since I want to delete some entries from the ListBox later on.

Upvotes: 5

Views: 24524

Answers (4)

Bent Tranberg
Bent Tranberg

Reputation: 3470

If you only want to express it more elegantly, then perhaps this will work.

stringList.ForEach(item => listBox1.Items.Add(item));

Upvotes: 7

Mark Pearl
Mark Pearl

Reputation: 7653

Okay.. if binding is not an option - and I would probably go that way if it was... then the only more efficient way to populate the listbox would be to do it in parallel.

(For this to work I am assuming you have the .Net 4 runtime, or the PLinq libraries installed)

The following code would show massive improvements on a multicore machine provided the collection of data was large enough to warrant the overhead of the initial setup. So this would only be viable for larger arrays.

Parallel.ForEach(list, r => destinationList.Items.Add(r));

Else I don't see anything wrong with your foreach loop.

Upvotes: 0

Andrew
Andrew

Reputation: 1102

HTH:

    string[] list = new string[] { "1", "2", "3" };

    ObservableCollection<string> oList;
    oList = new System.Collections.ObjectModel.ObservableCollection<string>(list);
    listBox1.DataContext = oList;

    Binding binding = new Binding();
    listBox1.SetBinding(ListBox.ItemsSourceProperty, binding);

    (listBox1.ItemsSource as ObservableCollection<string>).RemoveAt(0);

Just use (ItemSource as ObservableCollection)... to work with items, and not Items.Add etc.

Upvotes: 5

Kishore Kumar
Kishore Kumar

Reputation: 21863

use OberservableCollection

Upvotes: -1

Related Questions