ভাল নিবন্ধ রয়েছে যা প্রয়োগের জন্য বিভিন্ন উপায়েINotifyPropertyChanged
পরামর্শ দেয় ।
নিম্নলিখিত মৌলিক বাস্তবায়ন বিবেচনা করুন:
class BasicClass : INotifyPropertyChanged
{
public event PropertyChangedEventHandler PropertyChanged;
private void FirePropertyChanged(string propertyName)
{
var handler = PropertyChanged;
if (handler != null)
handler(this, new PropertyChangedEventArgs(propertyName));
}
private int sampleIntField;
public int SampleIntProperty
{
get { return sampleIntField; }
set
{
if (value != sampleIntField)
{
sampleIntField = value;
FirePropertyChanged("SampleIntProperty"); // ouch ! magic string here
}
}
}
}
আমি এটির সাথে এটি প্রতিস্থাপন করতে চাই:
using System.Runtime.CompilerServices;
class BetterClass : INotifyPropertyChanged
{
public event PropertyChangedEventHandler PropertyChanged;
// Check the attribute in the following line :
private void FirePropertyChanged([CallerMemberName] string propertyName = null)
{
var handler = PropertyChanged;
if (handler != null)
handler(this, new PropertyChangedEventArgs(propertyName));
}
private int sampleIntField;
public int SampleIntProperty
{
get { return sampleIntField; }
set
{
if (value != sampleIntField)
{
sampleIntField = value;
// no "magic string" in the following line :
FirePropertyChanged();
}
}
}
}
তবে কখনও কখনও আমি পড়তে পারি যে [CallerMemberName]
বিকল্পের তুলনায় গুণাবলীটির খারাপ অভিনয় রয়েছে। এটা কি সত্য এবং কেন? এটি প্রতিবিম্ব ব্যবহার করে?