プロパティ値を変更すると、コントロールのバインドされたプロパティも変更されるように、プロパティをコントロールにバインドする最良の方法は何ですか。
したがって、テキストボックスのFirstName
テキスト値にバインドするプロパティtxtFirstName
がある場合。 FirstName
を値「Stack」に変更すると、プロパティtxtFirstName.Text
も値「Stack」に変更されます。
これはばかげた質問に聞こえるかもしれませんが、私は助けに感謝します。
INotifyPropertyChanged
を実装し、テキストボックスにバインディングを追加する必要があります。
C#コードスニペットを提供します。それが役に立てば幸い
class Sample : INotifyPropertyChanged
{
private string firstName;
public string FirstName
{
get { return firstName; }
set
{
firstName = value;
InvokePropertyChanged(new PropertyChangedEventArgs("FirstName"));
}
}
#region Implementation of INotifyPropertyChanged
public event PropertyChangedEventHandler PropertyChanged;
public void InvokePropertyChanged(PropertyChangedEventArgs e)
{
PropertyChangedEventHandler handler = PropertyChanged;
if (handler != null) handler(this, e);
}
#endregion
}
使用法 :
Sample sourceObject = new Sample();
textbox.DataBindings.Add("Text",sourceObject,"FirstName");
sourceObject.FirstName = "Stack";
受け入れられた回答の簡略版これは、OnPropertyChanged("some-property-name")
のようなすべてのプロパティセッターでプロパティの名前を手動で入力する必要がありません。代わりに、パラメータなしでOnPropertyChanged()
を呼び出すだけです:
.NET 4.5以上が必要です。
CallerMemberName
はSystem.Runtime.CompilerServices
名前空間
public class Sample : INotifyPropertyChanged
{
private string _propString;
private int _propInt;
//======================================
// Actual implementation
//======================================
public event PropertyChangedEventHandler PropertyChanged;
[NotifyPropertyChangedInvocator]
protected virtual void OnPropertyChanged([CallerMemberName] string propertyName = null)
{
var handler = PropertyChanged;
if (handler != null) handler(this, new PropertyChangedEventArgs(propertyName));
}
//======================================
// END: actual implementation
//======================================
public string PropString
{
get { return _propString; }
set
{
// do not trigger change event if values are the same
if (Equals(value, _propString)) return;
_propString = value;
//===================
// Usage in the Source
//===================
OnPropertyChanged();
}
}
public int PropInt
{
get { return _propInt; }
set
{
// do not allow negative numbers, but always trigger a change event
_propInt = value < 0 ? 0 : value;
OnPropertyChanged();
}
}
}
使用法は同じままです:
var source = new Sample();
textbox.DataBindings.Add("Text", source, "PropString");
source.PropString = "Some new string";
これが誰かを助けることを願っています。