এটি সি # 7.0 যা স্থানীয় ফাংশনগুলিকে সমর্থন করে ....
public static IEnumerable<TSource> DistinctBy<TSource, TKey>(
this IEnumerable<TSource> source,
Func<TSource, TKey> keySelector, IEqualityComparer<TKey> comparer)
{
if (source == null) throw new
ArgumentNullException(nameof(source));
if (keySelector == null) throw
new ArgumentNullException(nameof(keySelector));
// This is basically executing _LocalFunction()
return _LocalFunction();
// This is a new inline method,
// return within this is only within scope of
// this method
IEnumerable<TSource> _LocalFunction()
{
var knownKeys = new HashSet<TKey>(comparer);
foreach (var element in source)
{
if (knownKeys.Add(keySelector(element)))
yield return element;
}
}
}
বর্তমান সি # সহ Func<T>
public static IEnumerable<TSource> DistinctBy<TSource, TKey>(
this IEnumerable<TSource> source,
Func<TSource, TKey> keySelector, IEqualityComparer<TKey> comparer)
{
if (source == null) throw new
ArgumentNullException(nameof(source));
if (keySelector == null) throw
new ArgumentNullException(nameof(keySelector));
Func<IEnumerable<TSource>> func = () => {
var knownKeys = new HashSet<TKey>(comparer);
foreach (var element in source)
{
if (knownKeys.Add(keySelector(element)))
yield return element;
}
};
// This is basically executing func
return func();
}
কৌশলটি হল, _ () এটি ব্যবহারের পরে ঘোষণা করা হয়েছে, যা পুরোপুরি ঠিক আছে।
স্থানীয় ফাংশনগুলির আসল ব্যবহার
উপরের উদাহরণটি কেবল ইনলাইন পদ্ধতিটি কীভাবে ব্যবহার করা যেতে পারে তা কেবলমাত্র একটি প্রদর্শনের জন্য, তবে সম্ভবত আপনি যদি পদ্ধতিটি কেবল একবার শুরু করতে চলেছেন, তবে এটির কোনও লাভ নেই।
তবে উপরে উদাহরণস্বরূপ, ফোশি এবং লুয়ান মন্তব্যগুলিতে উল্লিখিত হিসাবে স্থানীয় ফাংশন ব্যবহার করার একটি সুবিধা রয়েছে। যেহেতু ফলন ফেরতের সাথে ফাংশন কার্যকর করা হবে না যতক্ষণ না কেউ এটির পুনরাবৃত্তি করে, এই ক্ষেত্রে স্থানীয় ফাংশনের বাইরের পদ্ধতি কার্যকর করা হবে এবং প্যারামিটারের বৈধতা কার্যকর করা হবে এমনকি যদি কেউ মানটিকে পুনরাবৃত্তি না করে তবেও।
আমরা পদ্ধতিতে বার বার কোড করেছি, আসুন এই উদাহরণটি দেখুন ...
public void ValidateCustomer(Customer customer){
if( string.IsNullOrEmpty( customer.FirstName )){
string error = "Firstname cannot be empty";
customer.ValidationErrors.Add(error);
ErrorLogger.Log(error);
throw new ValidationError(error);
}
if( string.IsNullOrEmpty( customer.LastName )){
string error = "Lastname cannot be empty";
customer.ValidationErrors.Add(error);
ErrorLogger.Log(error);
throw new ValidationError(error);
}
... on and on...
}
আমি এটি দিয়ে অনুকূলিত করতে পারি ...
public void ValidateCustomer(Customer customer){
void _validate(string value, string error){
if(!string.IsNullOrWhitespace(value)){
// i can easily reference customer here
customer.ValidationErrors.Add(error);
ErrorLogger.Log(error);
throw new ValidationError(error);
}
}
_validate(customer.FirstName, "Firstname cannot be empty");
_validate(customer.LastName, "Lastname cannot be empty");
... on and on...
}
return _(); IEnumerable<TSource> _()
?