C# 二十年语法变迁之 C# 5 和 C# 6参考

C# 二十年语法变迁之 C# 5 和 C# 6参考

https://benbowen.blog/post/two_decades_of_csharp_ii/

自从 C# 于 2000 年推出以来,该语言的规模已经大大增加,我不确定任何人是否有可能在任何时候都对每一种语言特性都有深入的了解。因此,我想写一系列快速参考文章,总结自 C# 2.0 以来所有主要的新语言特性。我不会详细介绍它们中的任何一个,但我希望这个系列可以作为我自己(希望你也是!)的参考,我可以不时回过头来记住我使用的工具工具箱里有。:)

开始之前的一个小提示:我将跳过一些更基本的东西(例如 C# 2.0 引入了泛型,但它们的使用范围如此广泛,以至于它们不值得包括在内);而且我还可以将一些功能“粘合”在一起,以使其更简洁。本系列并不打算成为该语言的权威或历史记录。相反,它更像是可能派上用场的重要语言功能的“备忘单”。

C# 5.0

Async/await

此功能是 C# 的支柱,对行业产生了如此大的影响,以至于它已进入其他主流语言。有无数的教程和书籍深入到这个特性;但这篇文章只是作为一个快速参考指南,所以我只在这里总结一下。

Async/await 允许方法使用异步但以同步方式编写:

// async keyword tells the compiler we're writing an async method
// Task<int> is a 'Future'/Promise that will eventually yield a value of type int
async Task<int> GetUserAgeFromDatabase(string username) {// await keyword tells the compiler to convert this method in to a state machine at this point// Method will return the Task<int> immediately at this point (assuming GetUserDetails() does not complete immediately and synchronously)// A continuation for the remainder of the method will be scheduled either on this thread (via captured context) or on task pool thread (by default) to be executed once GetUserDetails()'s Task has completedvar userDetails = await _databaseAccessLayer.GetUserDetails(username);// Once we're here, we're executing the continuationreturn userDetails.Age;
}

Caller Info 属性

此功能涉及可应用于可选方法参数的三个属性。然后编译器将填写详细信息;这些主要用于记录:

static void Log(string message, [CallerMemberName] string callerMemberName = null, [CallerFilePath] string callerFilePath = null, [CallerLineNumber] int callerLineNumber) {Console.WriteLine($"{message} (called from {callerMemberName} on line {callerLineNumber} in file {callerFilePath})");
}static void Test() {Log("My message"); // Will print something like "My message (called from Test() on line 15 in file C:\...\Example.cs)"
}

• “Caller Info 属性”

C# 6.0

静态导入Static Imports

此功能允许在不使用类名的情况下在类上使用静态方法:

using static System.Console;static void Test() {WriteLine("hello"); // No Console. prefix required
}

• “静态导入”

异常过滤器

异常过滤器仅在满足某些参数时才允许捕获异常:

static void Test() {try {SomeOperation();}catch (Exception e) when (e.InnerException is OperationCanceledException oce) {Console.WriteLine($"Operation was cancelled: {oce}");}
}

• “异常过滤器”

不可变的自动属性

此功能允许从自动属性中省略设置器以使其不可变:

class MyClass {public string Name { get; }public MyClass(string name) {Name = name; // Can be initialized in constructor}
}

• “Immutable Auto-Properties” 名称不能从构造函数以外的任何地方设置(或内联,请参阅下一个功能)。

自动属性初始化器

这允许在其声明点为内联属性设置初始值:

class MyClass {public string Name { get; } = "Ben";public int Age { get; set; } = 30;
}

• “自动属性初始化程序”

表达体成员

此功能允许将某些函数体编写为单行表达式:

class MyClass {// Age is a read-only property; the code to the right of the '=>' is evaluated every time the property is invoked and the result of the expression is returnedpublic int Age => (int) (DateTime.Now - new DateTime(1990, 01, 19)).TotalYears;// PrintAge is a method, the code to the right of the '=>' is executed when the function is invokedpublic void PrintAge() => Console.WriteLine(Age);
}

• “表达式主体成员” 在 C# 7.0 中添加了一些进一步的支持:

class MyClass {int _age;// Property getter and setterpublic int Age { get => _age;set => _age = value >= 0 ?? value : throw new ArgumentOutOfRangeException(nameof(value));// Constructorpublic MyClass(int age) => Age = age;// Finalizer~MyClass() => ResourceManager.NotifyFinalizedMyClass(this);
}

• “更多表达主体的成员”

空传播(“Elvis”运算符)

如果该对象不为空,则此运算符允许您访问该对象的成员;或者简单地将所有值折叠为 null 否则:

static void PrintUserName(UserDetails? user) {Console.WriteLine($"Name: {user?.Name ?? "No name"}, Age: {user?.Age.ToString() ?? "No age"}");
}static void Test() {PrintUserName(new UserDetails("Ben", 30)); // Prints "Name: Ben, Age: 30"PrintUserName(null); // Prints "Name: No name, Age: No age"
}

• “空条件运算符” 当将多个属性/方法/字段调用链接在一起时(即var x = a?.B?.C()?.D),如果链中的任何单个元素为 null,则整个表达式将返回 null。

字符串插值(和格式化字符串)

到目前为止,这是我已经在各种示例中使用的功能。字符串插值允许以更自然的方式将变量嵌入到字符串中:

static void Test() {var name = "Ben";Console.WriteLine($"My name is {name}"); // The $ sign before the opening quotemark indicates this is an interpolated string
}

• “基本字符串插值” 可以通过格式后缀指定值转换为字符串的方式。以下示例显示了在将浮点值转换为字符串时指定小数位数的一种方法:

static void Test() {var percentageComplete = 12.345d;Console.WriteLine($"Percentage complete: {percentageComplete:F0}%"); // Prints "Percentage complete: 12%"Console.WriteLine($"Percentage complete: {percentageComplete:F2}%"); // Prints "Percentage complete: 12.34%"
}

• “格式化字符串插值” 也可以指定对齐方式;用于打印 ASCII 表:

static void Test() {var names = new[] { "Ben", "Javier", "Chris" };var favoriteFoods = new[] { "Ramen", "Something Vegetarian", "No idea" };for (var i = 0; i < 3; ++i) {Console.WriteLine($"Name: {names[i],10} | Food: {favoriteFoods[i]}"); // Notice the ,10 that right-aligns names to a 10-column width}
}/* Prints:* Name:        Ben | Food: Ramen* Name:     Javier | Food: Something Vegetarian* Name:      Chris | Food: No idea
*/static void Test() {var names = new[] { "Ben", "Javier", "Chris" };var favoriteFoods = new[] { "Ramen", "Something Vegetarian", "No idea" };for (var i = 0; i < 3; ++i) {Console.WriteLine($"Name: {names[i],-10} | Food: {favoriteFoods[i]}"); // Notice the ,-10 that left-aligns names to a 10-column width}
}/* Prints:* Name: Ben        | Food: Ramen* Name: Javier     | Food: Something Vegetarian* Name: Chris      | Food: No idea
*/

• “对齐字符串插值” 对象的默认格式使用线程本地文化作为格式提供程序。有时这不是我们想要的。因此,我们可以通过显式创建FormattableString然后将其转换为字符串来手动指定格式提供程序:

static void Test() {var percentageComplete = 12.345d;FormattableString str = $"Percentage complete: {percentageComplete:F2}%";Console.WriteLine(str.ToString(CultureInfo.GetCultureInfo("de-DE"))); // Prints "Percentage complete: 12,35%" (German-style number formatting)
}

• “FormattableString”

"nameof" 运算符

这个小功能允许您将代码中的标记名称转换为字符串。它很有用,因为它避免了在重命名这些类型时手动写出成员/类型名称的问题:

class User {public string Name { get; }public User(string name) {if (name == null) throw new ArgumentNullException(nameof(name)); // If we rename name later this will not compile (which is good)Name = name;}
}

• “nameof”

关联集合的替代初始化语法

这是一个小功能。它允许使用更简洁的语法来初始化关联集合(即主要是字典)。以下两个初始化是相同的:

class User {static void Test() {var oldWay = new Dictionary<int, string> {{ 1, "One" },{ 2, "Two" },{ 3, "Three" },{ 4, "Four" }};var newWay = new Dictionary<int, string> {[1] = "One",[2] = "Two",[3] = "Three",[4] = "Four"};}
}

•“旧字典初始化与新字典初始化” 字典键和值可以是任何类型。

集合初始化器的扩展“添加”方法

假设您正在使用的库中定义了一个集合类型(必须实现IEnumerable<> );但是添加元素的方法没有命名为Add(T item)。这是集合初始化器工作的要求。

下面是一个使用名为UserDatabase的虚构类型的示例,该类型从虚构的第三方库中实现IEnumerable :

static void Test() {// Won't compile// Doesn't work becuase UserDatabase calls its add method AddUser(), so we have to use the second approach belowvar database = new UserDatabase {new User("Ben", 30),new User("Seb", 27),new User("Rob", 33)};// Will compile but less prettyvar database = new UserDatabase();database.AddUser(new User("Ben", 30));database.AddUser(new User("Seb", 27));database.AddUser(new User("Rob", 33));
}

• “尝试使用集合初始化程序时没有添加方法” 在这种情况下,从 C# 6.0 开始,我们可以指定Add(T item)扩展方法来启用集合初始值设定项:

static class UserDatabaseExtensions {public static void Add(this UserDatabase @this, User u) => @this.AddUser(u);
}// ...static void Test() {// Hooray, this works now!var database = new UserDatabase {new User("Ben", 30),new User("Seb", 27),new User("Rob", 33)};
}

• “尝试使用集合初始化程序时添加扩展方法”

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/282662.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

非涉密计算机检查的通知,关于开展非涉密计算机及可移动存储介质专项清理活动的紧急通知...

关于在全校范围内开展非涉密计算机及可移动存储介质专项清理活动的紧急通知密办字[2009]01号各单位&#xff1a;为有效遏制木马病毒和恶意代码的蔓延趋势&#xff0c;现在校内开展一次非涉密计算机及可移动存储介质的专项清理活动&#xff0c;要求如下&#xff1a;1、所有涉密人…

Spring Cloud构建微服务架构:服务消费(基础)

使用LoadBalancerClient在Spring Cloud Commons中提供了大量的与服务治理相关的抽象接口&#xff0c;包括DiscoveryClient、这里我们即将介绍的LoadBalancerClient等。对于这些接口的定义我们在上一篇介绍服务注册与发现时已经说过&#xff0c;Spring Cloud做这一层抽象&#x…

oracle数据库中VARCHAR2(50 CHAR) 和VARCHAR2(50) 有啥区别?

VARCHAR2&#xff08;50 char&#xff09;这种类型的字段最多放50个字符&#xff0c;不够50个用空格填充&#xff1b;而VARCHAR2(50)最大允许存放50个字符&#xff0c;但是不足50个也不用空格填充。varchar2是变长字符串&#xff0c;与CHAR类型不同&#xff0c;它不会使用空格填…

《解密小米之互联网下的商业奇迹》

解密小米《解密小米之互联网下的商业奇迹》 磐石之心 清华大学出版社 2014/10/1 书籍&#xff1a;《非同凡响想,乔布斯启示录》 磐石之心&#xff1a;原名王斌&#xff0c;互联网IT资深预言家&#xff0c;第一个提出互联网未来竞争是在线生活方式的竞争&#xff1b;第一个提出3…

计算机内存的故障,计算机内存出现故障的解决方法

内存如果出现故障&#xff0c;会造成系统运行不稳定、程序异常出错和*作系统无法安装的故障&#xff0c;下面将列举内存常见的故障排除实例。1)内存顺序引起的计算机工作不正常故障现象&#xff1a;一台p4计算机&#xff0c;使用的是华硕intel850芯片组的主板&#xff0c;两条r…

2018暑假集训---递推递归----一只小蜜蜂hdu2044

一只小蜜蜂... Time Limit: 2000/1000 MS (Java/Others) Memory Limit: 65536/32768 K (Java/Others) Total Submission(s): 93249 Accepted Submission(s): 33187Problem Description 有一只经过训练的蜜蜂只能爬向右侧相邻的蜂房&#xff0c;不能反向爬行。请编程计算蜜…

《ASP.NET Core 6框架揭秘》实例演示[28]:自定义一个服务器

作为ASP.NET Core请求处理管道的“龙头”的服务器负责监听和接收请求并最终完成对请求的响应。它将原始的请求上下文描述为相应的特性&#xff08;Feature&#xff09;&#xff0c;并以此将HttpContext上下文创建出来&#xff0c;中间件针对HttpContext上下文的所有操作将借助于…

高清摄像头MIPI接口与ARM连接【转】

本文转载自&#xff1a;http://www.cnblogs.com/whw19818/p/5811299.html MIPI摄像头常见于手机、平板中&#xff0c;支持500万像素以上高清分辨率。它的全称为“Mobile Industry Processor Interface”&#xff0c;分为MIPI DSI 和MIPI CSI&#xff0c;分别对应于视频显示和视…

算法(第4版)Robert Sedgewick 刷题 第一章(1)

/*** Description 颠倒数组排列顺序* author SEELE* date 2017年8月17日 上午10:56:17* action sortArr*/public static void sortArr() {int[] b new int[6];int[] a { 1, 2, 3, 4, 5, 6, 7 };for (int i 0; i < a.length / 2; i) {int temp a[a.length - 1 - i];a[a.l…

9种排序算法在四种数据分布下的速度比较

9种算法分别是&#xff1a; 1.选择排序 2.希尔排序 3.插入排序 4.归并排序 5.快速排序 6.堆排序 7.冒泡排序 8.梳排序 9.鸡尾酒排序 在不同的情形下&#xff0c;排序速度前三名也不尽相同 Random : 希尔>快排>归并 Few unique : 快排>…

win7服务器端口被占用,高手亲自帮您win7端口被占用的详尽处理要领

今天有一位用户说他安装了win7系统以后&#xff0c;在使用中突然遇到了win7端口被占用的情况&#xff0c;估计还会有更多的网友以后也会遇到win7端口被占用的问题&#xff0c;所以今天我们先来分析分析&#xff0c;那我们要怎么面对这个win7端口被占用的问题呢&#xff1f;大家…

局部变量和参数传递的问题

<SCRIPT LANGUAGE"JavaScript">var bb 1;function aa(bb) { //这里传递参数相当于 var bb bb ;给形参bb赋值为1。&#xff08;又参数传递&#xff0c;相当于就是在函数中定义了一个局部变量并且给这个变量赋了初值1&#xff09;此bb非彼bb&#xff0c;是分别…

回车ajax显示,ajax返回值中有回车换行、空格的解决方法分享

最近在写一个页面&#xff0c;用jquery ajax来实现判断&#xff0c;刚写好测试完全没有问题&#xff0c;过了两天发现出现问题&#xff0c;判断不成了。后来发现所有alert出来的返回值前面都会加若干换行和空格。(至今不明白&#xff0c;同一台电脑&#xff0c;同样的环境&…

PHP插入排序

本意是想研究一下希尔排序的,因为希尔排序和快速排序没有争议的是排序最快的两种算法,但无奈希尔排序是以插入排序为基础的,所以只得先研究一下插入排序. 插入排序基本思想: 插入排序(Insertion Sort)的基本思想是&#xff1a;每次将一个待排序的记录&#xff0c;按其关键字大小…

使用Stepping.NET轻松执行多步原子操作

Stepping 是一个基于 BASE 的分布式作业实现。它可以作为工作流引擎&#xff0c;事件收/发件箱&#xff0c;用于邮箱/短信发送&#xff0c;用于远程接口调用等场景。Stepping 中 Job 和 Step 是什么?Job 是一个分布式事务单元&#xff0c;而 Step 是 job 中一个特定的任务。一…

JSP+JavaBean+Servlet技术(MVC模型)

一&#xff0c;Servlet开发用户在浏览器中输入一个网址并回车&#xff0c;浏览器会向服务器发送一个HTTP请求。服务器端程序接受这个请求&#xff0c;并对请求进行处理&#xff0c;然后发送一个回应。浏览器收到回应&#xff0c;再把回应的内容显示出来。这种请求—响应模式就是…

ora-01591:锁被未分布式事物处理/Distrib tran

伴随报错内容&#xff1a;Distrib tran xxx.xxx.xx.x.xxxx 1、使用Oracle DBA用户&#xff0c;查询如下数据字典&#xff1a;select * from dba_2pc_pending2、强制Rollback或者Commit该事务&#xff1a;select commit force || local_tran_id||; from dba_2pc_pending…

bzoj2721 [Violet 5]樱花

分析&#xff1a;这道题对于我这种蒟蒻来说还是很有难度啊。 思路非常巧妙&#xff0c;既然不定方程要有有限个数解&#xff0c;那么这个肯定会对解有所限制&#xff0c;也就是本题中的正整数.这个时候我们要表示出方程中的一个根x,设z n!,那么xyz/(y-z),这样的话不能得到答案…

ipados 文件 连接服务器,iPadOS更新指南,总有一个功能是你需要的

近期&#xff0c;苹果向部分ipad用户推送了iPadOS系统&#xff0c;据系统介绍&#xff0c;这是一款强大的操作系统&#xff0c;更能体现iPad的独特之处。iPadOS与IOS同源&#xff0c;针对iPad的大显示屏和多功能增加了全新和直观的强大功能。刚才小编给大家提到了部分iPad用户&…

Angular 2.x 从0到1 (五)史上最简单的Angular2教程

第一节&#xff1a;Angular 2.0 从0到1 &#xff08;一&#xff09;第二节&#xff1a;Angular 2.0 从0到1 &#xff08;二&#xff09;第三节&#xff1a;Angular 2.0 从0到1 &#xff08;三&#xff09;第四节&#xff1a;Angular 2.0 从0到1 &#xff08;四&#xff09;第五…