本地功能
局部函数在方法中定义,不在其外部。他们可以访问所有局部变量并支持迭代器,async
/ await
和 lambda 语法。这样,特定于函数的重复可以在不占用类的情况下被功能化。作为副作用,这改善了智能感知建议的表现。
例
double GetCylinderVolume(double radius, double height)
{
return getVolume();
double getVolume()
{
// You can declare inner-local functions in a local function
double GetCircleArea(double r) => Math.PI * r * r;
// ALL parents' variables are accessible even though parent doesn't have any input.
return GetCircleArea(radius) * height;
}
}
本地函数大大简化了 LINQ 运算符的代码,在这些运算符中,你通常必须将参数检查与实际逻辑分开,以使参数检查立即进行,而不是在迭代开始之后延迟。
例
public static IEnumerable<TSource> Where<TSource>(
this IEnumerable<TSource> source,
Func<TSource, bool> predicate)
{
if (source == null) throw new ArgumentNullException(nameof(source));
if (predicate == null) throw new ArgumentNullException(nameof(predicate));
return iterator();
IEnumerable<TSource> iterator()
{
foreach (TSource element in source)
if (predicate(element))
yield return element;
}
}
本地功能还支持 async
和 await
关键字。
例
async Task WriteEmailsAsync()
{
var emailRegex = new Regex(@"(?i)[a-z0-9_.+-]+@[a-z0-9-]+\.[a-z0-9-.]+");
IEnumerable<string> emails1 = await getEmailsFromFileAsync("input1.txt");
IEnumerable<string> emails2 = await getEmailsFromFileAsync("input2.txt");
await writeLinesToFileAsync(emails1.Concat(emails2), "output.txt");
async Task<IEnumerable<string>> getEmailsFromFileAsync(string fileName)
{
string text;
using (StreamReader reader = File.OpenText(fileName))
{
text = await reader.ReadToEndAsync();
}
return from Match emailMatch in emailRegex.Matches(text) select emailMatch.Value;
}
async Task writeLinesToFileAsync(IEnumerable<string> lines, string fileName)
{
using (StreamWriter writer = File.CreateText(fileName))
{
foreach (string line in lines)
{
await writer.WriteLineAsync(line);
}
}
}
}
你可能已经注意到一个重要的事情是,当地的功能可以在 return
声明下定义,他们根本不会需要它上面进行定义。此外,本地函数通常遵循 lowerCamelCase
命名约定,以便更容易区分类范围函数。