幾周前我在不同的地方讀到了有關C#6的一些新特性。我就決定把它們都收集到一起,如果你還沒有讀過,就可以一次性把它們都過一遍。它們中的一些可能不會如預期那樣神奇,但那也只是目前的更新。
你可以通過下載VS2014或者安裝這裡針對visual studio2013的Roslyn包來獲取它們。
那麼讓我們看看吧:
$的作用是簡化字符串索引。它與C#中那些內部使用正則表達式匹配實現索引的動態特性不同。示例如下:
1 2 3 4 5 6 7 8 9 10 11var col =
new
Dictionary<
string
,
string
>()
{
$first =
"Hassan"
};
//Assign value to member
//the old way:
col.$first =
"Hassan"
;
//the new way:
col[
"first"
] =
"Hassan"
;
VB編譯器中早已支持異常過濾器,現在C#也支持了。異常過濾器可以讓開發人員針對某一條件創建一個catch塊。只有當條件滿足時catch塊中的代碼才會執行,這是我最喜歡的特性之一,示例如下:
1 2 3 4 5try
{
throw
new
Exception(
"Me"
);
}
catch
(Exception ex)
if
(ex.Message ==
"You"
)
據我所知,沒有人知道C# 5中catch和finally代碼塊內await關鍵字不可用的原因,無論何種寫法它都是不可用的。這點很好因為開發人員經常想查看I/O操作日志,為了將捕捉到的異常信息記錄到日志中,此時需要異步進行。
1 2 3 4 5 6 7 8try
{
DoSomething();
}
catch
(Exception)
{
await LogService.LogAsync(ex);
}
這個特性允許開發人員在表達式中定義一個變量。這點很簡單但很實用。過去我用asp.net做了許多的網站,下面是我常用的代碼:
1 2 3long
id;
if
(!
long
.TryParse(Request.QureyString[
"Id"
],
out
id))
{ }
優化後的代碼:
1 2if
(!
long
.TryParse(Request.QureyString[
"Id"
],
out
long
id))
{ }
這種聲明方式中變量的作用域和C#使用一般方式聲明變量的作用域是一樣的。
這一特性允許你在一個using語句中指定一個特定的類型,此後這個類型的所有靜態成員都能在後面的子句中使用了.
1 2 3 4 5 6 7 8 9 10 11 12 13 14using
System.Console;
namespace
ConsoleApplication10
{
class
Program
{
static
void
Main(
string
[] args)
{
//Use writeLine method of Console class
//Without specifying the class name
WriteLine(
"Hellow World"
);
}
}
}
C# 6 自動舒適化屬性就像是在聲明位置的域。這裡唯一需要知道的是這個初始化不會導致setter方法不會在內部被調用. 後台的域值是直接被設置的,下面是示例:
1 2 3 4 5 6 7 8public
class
Person
{
// You can use this feature on both
//getter only and setter / getter only properties
public
string
FirstName {
get
;
set
; } =
"Hassan"
;
public
string
LastName {
get
; } =
"Hashemi"
;
}
呼哈哈,主構造器將幫你消除在獲取構造器參數並將其設置到類的域上,以支持後面的操作,這一痛苦. 這真的很有用。這個特性的主要目的是使用構造器參數進行初始化。當聲明了主構造器時,所有其它的構造器都需要使用 :this() 來調用這個主構造器.
最後是下面的示例:
1 2 3 4 5 6//this is the primary constructor:
class
Person(
string
firstName,
string
lastName)
{
public
string
FirstName {
get
;
set
; } = firstName;
public
string
LastName {
get
; } = lastName;
}
要注意主構造器的調用是在類的頂部.