-3

私は WPF を使い始めたばかりです。まず、「名前」の 1 つのプロパティを持つ独自のカスタム クラスのインスタンスをプログラムでリスト ボックスに追加する方法を知りたいと思います。リスト ボックスには各要素が次のように表示されます。 「MyNamespace.CustomClass」ではなく、UI での名前。

私は DataContexts と DataBinding と DataTemplates について漠然としたことを読んだことがありますが、私ができる絶対的な最小値を知りたいです。

ありがとう!

4

1 に答える 1

3

バインドを避けたいと思いますが、とにかくこれを捨てます。XAMLをあまり恐れないようにしてください。最初は少しおかしなことになりますが、すべての{binding}に慣れれば、実際にはかなり明白です。リストボックスをコードビハインドのコレクションにバインドする簡単な例は、次のようになります。このような。

<Window x:Class="WpfApplication1.MainWindow"
        xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
        xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
        DataContext="{Binding RelativeSource={RelativeSource Self}}"
        Title="MainWindow" Height="350" Width="525">
    <ListBox ItemsSource="{Binding Items}">
        <ListBox.ItemTemplate>
            <DataTemplate>
                <TextBlock Text="{Binding Name}"/>
            </DataTemplate>
        </ListBox.ItemTemplate>
    </ListBox>
</Window>

WindowのDataContextプロパティは、バインディングがデフォルトで表示される場所(この場合はウィンドウ)を示し、データテンプレートは、コレクション内で見つかった各アイテムを表示する方法をリストボックスに示します。

using System;
using System.Collections.Generic;
using System.Collections.ObjectModel;
using System.Linq;
using System.Text;
using System.Windows;
using System.Windows.Controls;
using System.Windows.Data;
using System.Windows.Documents;
using System.Windows.Input;
using System.Windows.Media;
using System.Windows.Media.Imaging;
using System.Windows.Navigation;
using System.Windows.Shapes;

namespace WpfApplication1
{
    public class MyClass
    {
        public string Name { get; set; }
    }

    public partial class MainWindow : Window
    {
        public ObservableCollection<MyClass> Items
        {
            get { return (ObservableCollection<MyClass>)GetValue(ItemsProperty); }
            set { SetValue(ItemsProperty, value); }
        }
        public static readonly DependencyProperty ItemsProperty =
            DependencyProperty.Register("Items", typeof(ObservableCollection<MyClass>), typeof(MainWindow), new PropertyMetadata(null));

        public MainWindow()
        {
            InitializeComponent();

            Items = new ObservableCollection<MyClass>();
            Items.Add(new MyClass() { Name = "Item1" });
            Items.Add(new MyClass() { Name = "Item2" });
            Items.Add(new MyClass() { Name = "Item3" });
            Items.Add(new MyClass() { Name = "Item4" });
            Items.Add(new MyClass() { Name = "Item5" });
        }
    }
}

上記のコードのようにVisualStudioに貼り付けると、これが表示されます。 ここに画像の説明を入力してください

于 2013-03-08T14:42:55.043 に答える