web-dev-qa-db-ja.com

ComboBox:アイテムへのテキストと値の追加(バインド元なし)

C#WinAppで、ComboBoxの項目にTextとValueの両方を追加する方法を教えてください。私は検索をしましたが、答えはたいてい "ソースへのバインディング"を使っています。

combo1.Item[1] = "DisplayText";
combo1.Item[1].Value = "useful Value"
176
Bohn

独自のクラス型を作成し、必要なテキストを返すようにToString()メソッドをオーバーライドする必要があります。これはあなたが使用できるクラスの簡単な例です:

public class ComboboxItem
{
    public string Text { get; set; }
    public object Value { get; set; }

    public override string ToString()
    {
        return Text;
    }
}

以下はその使い方の簡単な例です。

private void Test()
{
    ComboboxItem item = new ComboboxItem();
    item.Text = "Item text1";
    item.Value = 12;

    comboBox1.Items.Add(item);

    comboBox1.SelectedIndex = 0;

    MessageBox.Show((comboBox1.SelectedItem as ComboboxItem).Value.ToString());
}
328
Adam Markowitz
// Bind combobox to dictionary
Dictionary<string, string>test = new Dictionary<string, string>();
        test.Add("1", "dfdfdf");
        test.Add("2", "dfdfdf");
        test.Add("3", "dfdfdf");
        comboBox1.DataSource = new BindingSource(test, null);
        comboBox1.DisplayMember = "Value";
        comboBox1.ValueMember = "Key";

// Get combobox selection (in handler)
string value = ((KeyValuePair<string, string>)comboBox1.SelectedItem).Value;
176
fab

あなたはこのような匿名クラスを使うことができます:

comboBox.DisplayMember = "Text";
comboBox.ValueMember = "Value";

comboBox.Items.Add(new { Text = "report A", Value = "reportA" });
comboBox.Items.Add(new { Text = "report B", Value = "reportB" });
comboBox.Items.Add(new { Text = "report C", Value = "reportC" });
comboBox.Items.Add(new { Text = "report D", Value = "reportD" });
comboBox.Items.Add(new { Text = "report E", Value = "reportE" });

更新: /上記のコードはコンボボックスに正しく表示されますが、SelectedValueまたはSelectedTextComboBoxプロパティを使用することはできません。それらを使用できるようにするには、以下のようにコンボボックスをバインドします。

comboBox.DisplayMember = "Text";
comboBox.ValueMember = "Value";

var items = new[] { 
    new { Text = "report A", Value = "reportA" }, 
    new { Text = "report B", Value = "reportB" }, 
    new { Text = "report C", Value = "reportC" },
    new { Text = "report D", Value = "reportD" },
    new { Text = "report E", Value = "reportE" }
};

comboBox.DataSource = items;
110
buhtla

実行時にコンボボックス項目を解決するには、dynamicオブジェクトを使用する必要があります。

comboBox.DisplayMember = "Text";
comboBox.ValueMember = "Value";

comboBox.Items.Add(new { Text = "Text", Value = "Value" });

(comboBox.SelectedItem as dynamic).Value
24
Mert Cingoz

これはちょうど頭に浮かぶ方法の一つです:

combo1.Items.Add(new ListItem("Text", "Value"))

そして、アイテムのテキストや値を変更するには、次のようにします。

combo1.Items[0].Text = 'new Text';

combo1.Items[0].Value = 'new Value';

Windows Forms にListItemというクラスはありません。これは ASP.NET にのみ存在するので、@ Adam Markowitzが 彼の答え で行ったのと同じように、使用する前に独自のクラスを作成する必要があります。

また、これらのページをチェックしてください、彼らは助けるかもしれません:

13
Amr Elgarhy

Dictionaryにテキストと値を追加するためのカスタムクラスを作成する代わりにCombobox Objectを使用できます。

Dictionaryオブジェクトにキーと値を追加します。

Dictionary<string, string> comboSource = new Dictionary<string, string>();
comboSource.Add("1", "Sunday");
comboSource.Add("2", "Monday");

ソースのDictionaryオブジェクトをComboboxにバインドします。

comboBox1.DataSource = new BindingSource(comboSource, null);
comboBox1.DisplayMember = "Value";
comboBox1.ValueMember = "Key";

キーと値を取得します。

string key = ((KeyValuePair<string,string>)comboBox1.SelectedItem).Key;
string value = ((KeyValuePair<string,string>)comboBox1.SelectedItem).Value;

フルソース: コンボボックステキストと値

12
cronynaval

これが最初の投稿で示された状況でうまくいくかどうかはわからない(これが2年後であるという事実を気にする必要はない)が、この例は私には役立つ:

Hashtable htImageTypes = new Hashtable();
htImageTypes.Add("JPEG", "*.jpg");
htImageTypes.Add("GIF", "*.gif");
htImageTypes.Add("BMP", "*.bmp");

foreach (DictionaryEntry ImageType in htImageTypes)
{
    cmbImageType.Items.Add(ImageType);
}
cmbImageType.DisplayMember = "key";
cmbImageType.ValueMember = "value";

値を読み戻すには、SelectedItemプロパティをDictionaryEntryオブジェクトにキャストする必要があります。その後、そのKeyおよびValueプロパティを評価できます。例えば:

DictionaryEntry deImgType = (DictionaryEntry)cmbImageType.SelectedItem;
MessageBox.Show(deImgType.Key + ": " + deImgType.Value);
11
Charles Glisan
//set 
comboBox1.DisplayMember = "Value"; 
//to add 
comboBox1.Items.Add(new KeyValuePair("2", "This text is displayed")); 
//to access the 'tag' property 
string tag = ((KeyValuePair< string, string >)comboBox1.SelectedItem).Key; 
MessageBox.Show(tag);
6
Ryan

このコードを使用して、テキストと値を使用してコンボボックスにいくつかの項目を挿入できます。

C#

private void ComboBox_SelectionChanged_1(object sender, SelectionChangedEventArgs e)
{
    combox.Items.Insert(0, "Copenhagen");
    combox.Items.Insert(1, "Tokyo");
    combox.Items.Insert(2, "Japan");
    combox.Items.Insert(0, "India");   
}

_ xaml _

<ComboBox x:Name="combox" SelectionChanged="ComboBox_SelectionChanged_1"/>
4
Muhammad Ahmad

私はfabの答えが好きでしたが、私の状況で辞書を使いたくなかったので、タプルのリストを置き換えました。

// set up your data
public static List<Tuple<string, string>> List = new List<Tuple<string, string>>
{
  new Tuple<string, string>("Item1", "Item2")
}

// bind to the combo box
comboBox.DataSource = new BindingSource(List, null);
comboBox.ValueMember = "Item1";
comboBox.DisplayMember = "Item2";

//Get selected value
string value = ((Tuple<string, string>)queryList.SelectedItem).Item1;
4
Maggie

DataTableを使用した例

DataTable dtblDataSource = new DataTable();
dtblDataSource.Columns.Add("DisplayMember");
dtblDataSource.Columns.Add("ValueMember");
dtblDataSource.Columns.Add("AdditionalInfo");

dtblDataSource.Rows.Add("Item 1", 1, "something useful 1");
dtblDataSource.Rows.Add("Item 2", 2, "something useful 2");
dtblDataSource.Rows.Add("Item 3", 3, "something useful 3");

combo1.Items.Clear();
combo1.DataSource = dtblDataSource;
combo1.DisplayMember = "DisplayMember";
combo1.ValueMember = "ValueMember";

   //Get additional info
   foreach (DataRowView drv in combo1.Items)
   {
         string strAdditionalInfo = drv["AdditionalInfo"].ToString();
   }

   //Get additional info for selected item
    string strAdditionalInfo = (combo1.SelectedItem as DataRowView)["AdditionalInfo"].ToString();

   //Get selected value
   string strSelectedValue = combo1.SelectedValue.ToString();
3
Soenhay

まだ誰かがこれに興味を持っているのであれば、これはテキストと任意の型の値を持つコンボボックスアイテムのためのシンプルで柔軟なクラスです(Adam Markowitzの例に非常によく似ています):

public class ComboBoxItem<T>
{
    public string Name;
    public T value = default(T);

    public ComboBoxItem(string Name, T value)
    {
        this.Name = Name;
        this.value = value;
    }

    public override string ToString()
    {
        return Name;
    }
}

valueobjectとして宣言するよりも<T>を使用するほうが優れています。objectを使用すると、各項目に使用した型を追跡し、それを正しく使用するためにコードにキャストする必要があるためです。

私は長い間私のプロジェクトでそれを使っています。本当に便利です。

3
Matheus Rocha

Adam Markowitzの答えに加えて、ここでは(Description)属性をユーザーに見せながら、(比較的)単純にコンボボックスのItemSourceの値をenumsに設定する一般的な方法を紹介します。 (誰もがこれを .NET oneライナーになるようにしたいと思うだろうが、そうではない、そしてこれが私が見つけた最もエレガントな方法である)。

まず、Enum値をComboBoxアイテムに変換するためのこの単純なクラスを作成します。

public class ComboEnumItem {
    public string Text { get; set; }
    public object Value { get; set; }

    public ComboEnumItem(Enum originalEnum)
    {
        this.Value = originalEnum;
        this.Text = this.ToString();
    }

    public string ToString()
    {
        FieldInfo field = Value.GetType().GetField(Value.ToString());
        DescriptionAttribute attribute = Attribute.GetCustomAttribute(field, typeof(DescriptionAttribute)) as DescriptionAttribute;
        return attribute == null ? Value.ToString() : attribute.Description;
    }
}

次に、OnLoadイベントハンドラで、ComboEnumItems型のすべてのEnumに基づいて、コンボボックスのソースをEnumのリストに設定する必要があります。これはLinqで達成できます。それならDisplayMemberPathを設定してください。

    void OnLoad(object sender, RoutedEventArgs e)
    {
        comboBoxUserReadable.ItemsSource = Enum.GetValues(typeof(EMyEnum))
                        .Cast<EMyEnum>()
                        .Select(v => new ComboEnumItem(v))
                        .ToList();

        comboBoxUserReadable.DisplayMemberPath = "Text";
        comboBoxUserReadable.SelectedValuePath= "Value";
    }

これで、ユーザーはユーザーフレンドリーなDescriptionsのリストから選択しますが、選択するのはコードで使用できるenum値です。コードでユーザーの選択にアクセスするには、comboBoxUserReadable.SelectedItemComboEnumItemになり、comboBoxUserReadable.SelectedValueEMyEnumになります。

1
Bill Pascoe

あなたは一般的なTypeを使うことができます:

public class ComboBoxItem<T>
{
    private string Text { get; set; }
    public T Value { get; set; }

    public override string ToString()
    {
        return Text;
    }

    public ComboBoxItem(string text, T value)
    {
        Text = text;
        Value = value;
    }
}

単純なint型の使用例

private void Fill(ComboBox comboBox)
    {
        comboBox.Items.Clear();
        object[] list =
            {
                new ComboBoxItem<int>("Architekt", 1),
                new ComboBoxItem<int>("Bauträger", 2),
                new ComboBoxItem<int>("Fachbetrieb/Installateur", 3),
                new ComboBoxItem<int>("GC-Haus", 5),
                new ComboBoxItem<int>("Ingenieur-/Planungsbüro", 9),
                new ComboBoxItem<int>("Wowi", 17),
                new ComboBoxItem<int>("Endverbraucher", 19)
            };

        comboBox.Items.AddRange(list);
    }
1
Jan Staecker

これがwindowsフォームのための非常に単純な解決策である場合は、(文字列)としての最終的な値がすべて必要です。項目の名前がコンボボックスに表示され、選択した値を簡単に比較できます。

List<string> items = new List<string>();

// populate list with test strings
for (int i = 0; i < 100; i++)
            items.Add(i.ToString());

// set data source
testComboBox.DataSource = items;

そしてイベントハンドラで選択された値の値(文字列)を取得します

string test = testComboBox.SelectedValue.ToString();
0
Esteban Verbel

ここでより良いソリューション。

Dictionary<int, string> userListDictionary = new Dictionary<int, string>();
        foreach (var user in users)
        {
            userListDictionary.Add(user.Id,user.Name);
        }

        cmbUser.DataSource = new BindingSource(userListDictionary, null);
        cmbUser.DisplayMember = "Value";
        cmbUser.ValueMember = "Key";

データを取得する

MessageBox.Show(cmbUser.SelectedValue.ToString());
0
Orhan Bayram

私は同じ問題を抱えていました、最初のものと同じインデックスの値だけを持つ新しいComboBoxを追加し、次に2番目のもののインデックスを同時に変更すると、 2番目のコンボの値とそれを使用します。

これはコードです:

public Form1()
{
    eventos = cliente.GetEventsTypes(usuario);

    foreach (EventNo no in eventos)
    {
        cboEventos.Items.Add(no.eventno.ToString() + "--" +no.description.ToString());
        cboEventos2.Items.Add(no.eventno.ToString());
    }
}

private void lista_SelectedIndexChanged(object sender, EventArgs e)
{
    lista2.Items.Add(lista.SelectedItem.ToString());
}

private void cboEventos_SelectedIndexChanged(object sender, EventArgs e)
{
    cboEventos2.SelectedIndex = cboEventos.SelectedIndex;
}
0
Miguel

これは、Visual Studio 2013による方法です。

単一アイテム

comboBox1->Items->AddRange(gcnew cli::array< System::Object^  >(1) { L"Combo Item 1" });

複数の項目

comboBox1->Items->AddRange(gcnew cli::array< System::Object^  >(3)
{
    L"Combo Item 1",
    L"Combo Item 2",
    L"Combo Item 3"
});

クラスをオーバーライドしたり、他のものを含める必要はありません。そしてcomboBox1->SelectedItemcomboBox1->SelectedIndex呼び出しはまだ動作します。

0
Enigma

クラス作成:

namespace WindowsFormsApplication1
{
    class select
    {
        public string Text { get; set; }
        public string Value { get; set; }
    }
}

フォーム1コード:

namespace WindowsFormsApplication1
{
    public partial class Form1 : Form
    {
        public Form1()
        {
            InitializeComponent();
            List<select> sl = new List<select>();
            sl.Add(new select() { Text = "", Value = "" });
            sl.Add(new select() { Text = "AAA", Value = "aa" });
            sl.Add(new select() { Text = "BBB", Value = "bb" });
            comboBox1.DataSource = sl;
            comboBox1.DisplayMember = "Text";
        }

        private void comboBox1_SelectedIndexChanged(object sender, EventArgs e)
        {

            select sl1 = comboBox1.SelectedItem as select;
            t1.Text = Convert.ToString(sl1.Value);

        }

    }
}
0
Limitless isa

これは他のいくつかの答えと似ていますが、コンパクトで、すでにリストがある場合は辞書への変換を避けます。

Windowsフォーム上のComboBox "combobox"とSomeClass型のプロパティstringを持つクラスNameを考えます。

List<SomeClass> list = new List<SomeClass>();

combobox.DisplayMember = "Name";
combobox.DataSource = list;

つまり、SelectedItemはSomeClasslistオブジェクトであり、combobox内の各項目はその名前を使用して表示されます。

0
Alex Smith