次のような車を表すクラスがあります。
public class Car
{
public event PropertyChangedEventHandler PropertyChanged;
private void RaisePropertyChanged([CallerMemberName] string caller = "")
{
if (PropertyChanged != null)
{
PropertyChanged(this, new PropertyChangedEventArgs(caller));
}
}
public enum Colors
{
LaserRed,
GenuineGraniteMica,
BluePearl,
SandMicaMetallic,
NightArmorMetallic
}
private string _make;
public string Make
{
get { return _make; }
set {
_make = value;
RaisePropertyChanged();
}
}
private string _model;
public string Model
{
get { return _model; }
set {
_model = value;
RaisePropertyChanged();
}
}
private Colors _color;
public Colors Color
{
get { return _color; }
set {
_color = value;
RaisePropertyChanged();
}
}
public Tire FrontLeftTire = new Tire();
public Tire FrontRightTire = new Tire();
public Tire RearLeftTire = new Tire();
public Tire RearRightTire = new Tire();
public Car()
{
// initialization code
}
ご覧のとおり、私の Car クラスには 4 つのタイヤがあり、Tire クラスは次のようになります。
public class Tire : INotifyPropertyChanged
{
public event PropertyChangedEventHandler PropertyChanged;
private void RaisePropertyChanged([CallerMemberName] string caller = "")
{
if (PropertyChanged != null)
{
PropertyChanged(this, new PropertyChangedEventArgs(caller));
}
}
public enum SizeValues
{
[Description("17 inches")]
SeventeenInches,
[Description("18 inches")]
EighteenInches,
[Description("19 inches")]
NineteenInches,
[Description("20 inches")]
TwentyInches,
}
private string _brand;
public string Brand
{
get { return _brand; }
set
{
_brand = value;
RaisePropertyChanged();
}
}
private SizeValues _size;
public SizeValues Size
{
get { return _size; }
set
{
_size = value;
RaisePropertyChanged();
}
}
public Tire()
{
// initialization code
}
私の WinForms UI には、各タイヤの Size プロパティに対応するコンボボックス (ドロップダウン リスト) があります。各コンボボックスを適切なタイヤの Size プロパティにバインドしようとしていますが、車のオブジェクト自体のプロパティにバインドするために使用しているコードが機能していません。コンボボックスを車の Color プロパティにバインドするために使用するコードは次のとおりです。
comboBoxCarColor.DataBindings.Add(new Binding("SelectedValue", bindingSourceForCars, "Color", true, DataSourceUpdateMode.OnPropertyChanged));
comboBoxCarColor.DataSource = new BindingSource(Utility.ConvertEnumToListOfKeyValuePairs(typeof(Car.Color)), null);
comboBoxCarColor.DisplayMember = "Value";
comboBoxCarColor.ValueMember = "Key";
これはうまくいきます。しかし、私が今直面している問題は、車の直接の子プロパティではなく、車のタイヤの 1 つのプロパティにバインドしようとしているということです。したがって、次のようなものは機能しません。
comboBoxFrontLeftTimeSize.DataBindings.Add(new Binding("SelectedValue", bindingSourceForCars, "FrontLeftTire.Size", true, DataSourceUpdateMode.OnPropertyChanged));
問題はデータ メンバ ("FrontLeftTire.Size") にあると思いますが、よくわかりません。これを間違った方法で参照しているだけですか、それともここでのアプローチが完全に間違っていますか?