分類:C#、VS2015編程
建立日期:2016-06-12異步
VS2015內置的C#版本爲6.0,該版本提供了一些新的語法糖,這裏僅列出我的感受比較有用的幾個新功能。async
注意:這些新特性只能用於VS2015及更高版本,沒法在VS201三、VS2010等低版本中使用。固然,若是你不喜歡這些新的特性,仍然能夠繼續使用原來的用法(因此說它是新的語法糖)。異步編程
原來的用法(聲明時沒法同時初始化),例如:spa
class MyClass { public int Age { get; set; } public string Name { get; set; } public MyClass() { Age = 20; Name = "張三"; } }
新用法(聲明時可同時初始化,更方便了),例如:code
class MyClass { public int Age { get; set; } = 20; public string Name { get; set; } = "張三"; }
原來的用法:用string.Format(…)實現,例如:orm
class MyClass { public void MyMethod() { string name = "張三"; int age = 20; string s1 = string.Format("{0},{1}", name, age); string s2 = string.Format("姓名={0},年齡={1}", name, age); string s3 = string.Format("{0,15},{1:d3}", name, age); string s4 = string.Format("{0,15},{1,10:d3}", name, age); Console.WriteLine("{0},{1},{2},{3}", s1, s2, s3 ,s4); string s5 = string.Format("{0:yyyy-MM-dd}", DateTime.Now); } }
新用法:用「$」前綴實現(變量直接寫到大括號內,並且帶智能提示,更方便了),例如:blog
class MyClass { public void MyMethod() { string name = "張三"; int age = 20; string s1 = $"{name},{age}"; string s2 = $"姓名={name},年齡={age}"; string s3 = $"{name,15},{age:d3}"; string s4 = $"{name,15},{age,10:d3}"; Console.WriteLine($"{s1},{s2},{s3},{s4}"); string s5 = $"{DateTime.Now:yyyy-MM-dd}"; } }
原來的用法:get
class MyClass { public void MyMethod() { Dictionary<string, int> student = new Dictionary<string, int>(); student.Add("a1", 15); student.Add("a2", 14); student.Add("a3", 16); } }
新用法(能夠直接寫初始化的值,更方便了):string
class MyClass { public void MyMethod() { Dictionary<string, int> student = new Dictionary<string, int>() { ["a1"] = 15, ["a2"] = 14, ["a3"] = 16 }; } }
原來的用法:
using System; namespace MyApp { class Demo1New { public static double MyMethod(double x, double angle) { return Math.Sin(x) + Math.Cos(angle); } } }
新用法(表達式比較複雜的時候有用,代碼更簡潔了):
using static System.Math; namespace MyApp { class Demo1New { public static double MyMethod(double x, double angle) { return Sin(x) + Cos(angle); } } }
假定WPF應用程序中有下面的類:
public class MyClass
{
public string MyText { get; set; } = "aaa";
}
並假定有下面的XAML代碼:
<StackPanel>
<TextBlock Name="txt1"/>
……
</StackPanel>
代碼隱藏類中原來的用法:
txt1.SetBinding(TextBlock.TextProperty, "MyText");
如今的用法(由於有錯誤檢查智能提示,用起來更方便了):
txt1.SetBinding(TextBlock.TextProperty, nameof(MyClass.MyText));
(有用)
var ss = new string[] { "Foo", null }; var length0 = ss [0]?.Length; // 結果爲3 var length1 = ss [1]?.Length; // 結果爲null var lengths = ss.Select (s => s?.Length ?? 0); //結果爲[3, 0]
異步編程中,原來在catch或者finally中沒法使用await,如今能夠了:
async void SomeMethod() { try { //...etc... } catch (Exception x) { var diagnosticData = await GenerateDiagnosticsAsync (x); Logger.log (diagnosticData); } finally { await someObject.FinalizeAsync(); } }
C# 6.0還有一些新的特性,對於初學者來講用的不是太多,因此這裏就再也不介紹了。
再次說明一下,若是你不喜歡新的特性,仍然能夠繼續使用原來的用法。