C#8.0新特性

只读成员

private struct Point
        {
            public Point(double x, double y)
            {
                X = x;
                Y = y;
            }

            private double X { get; set; }
            private double Y { get; set; }
            private readonly double Distance => Math.Sqrt(X * X + Y * Y);

            public override readonly string ToString() =>
                $"({X}, {Y}) is {Distance} from the origin";
        }

View Code

使用readonly修饰tostring方法,表示它不可修改

默认接口方法

/// <summary>
        /// 默认接口方法
        /// </summary>
        private interface IWork
        {
            public void Work()
            {
                Console.WriteLine("Work");
            }
        }

现在可以在接口中定义默认的方法,而不是只能申明void Work();

更多的模式匹配

使用switch表达式的模式匹配

public enum Rainbow
            {
                Red,
                Orange,
                Yellow,
                Green,
                Blue,
                Indigo,
                Violet
            }

            //switch表达式
            public static Color FromRainbow(Rainbow colorBand) =>
                colorBand switch
                {
                    Rainbow.Red => Color.Red,
                    Rainbow.Orange => Color.Orange,
                    Rainbow.Yellow => Color.Yellow,
                    Rainbow.Green => Color.Green,
                    Rainbow.Blue => Color.Blue,
                    Rainbow.Indigo => Color.Indigo,
                    Rainbow.Violet => Color.Violet,
                    _ => throw new ArgumentException(message: "invalid enum value", paramName: nameof(colorBand)),
                };

View Code

在变量后面使用switch关键字,同时将case:替换为=>,使用_替代default

属性模式

public static decimal ComputeSalesTax(Address location, decimal salePrice) =>
                location switch
                {
                    { State: "WA" } => salePrice * 0.06M,
                    { State: "MN" } => salePrice * 0.075M,
                    { State: "MI" } => salePrice * 0.05M,
                    // other cases removed for brevity...
                    _ => 0M
                };

            public struct Address
            {
                public string State { get; set; }
            }

View Code

对location变量的State属性进行模式匹配

元组模式

public static string RockPaperScissors(string first, string second)
                => (first, second) switch
                {
                    ("rock", "paper") => "rock is covered by paper. Paper wins.",
                    ("rock", "scissors") => "rock breaks scissors. Rock wins.",
                    ("paper", "rock") => "paper covers rock. Paper wins.",
                    ("paper", "scissors") => "paper is cut by scissors. Scissors wins.",
                    ("scissors", "rock") => "scissors is broken by rock. Rock wins.",
                    ("scissors", "paper") => "scissors cuts paper. Scissors wins.",
                    (_, _) => "tie"
                };

View Code

位置模式

//位置模式,使用解构将属性解构的离散变量,如果可以访问 Deconstruct 方法,就可以使用位置模式 检查对象的属性并将这些属性用于模式
            public class XPoint
            {
                public int X { get; set; }
                public int Y { get; set; }

                public void Deconstruct(out int x, out int y)
                {
                    x = X;
                    y = Y;
                }
            }

            public int GetNumber(XPoint point) => point switch
            {
                (0, 0) => 0,
                var (x, y) when x > 0 && y > 0 => 1,
                var (x, y) when x < 0 && y > 0 => 2,
                var (x, y) when x < 0 && y < 0 => 3,
                var (x, y) when x > 0 && y < 0 => 4,
                var (_, _) => -1,
                _ => -2
            };

View Code

using申明

/// <summary>
        /// using 声明,using 表达式的操作数可以实现 IDisposable 或 IAsyncDisposable
        /// </summary>
        public void UsingStatement()
        {
            using var file = new System.IO.StreamWriter("WriteLines2.txt");
        }

可以对异步可释放类型使用using关键字进行释放

静态本地函数

/// <summary>
        /// 静态本地函数,在本地函数中使用static关键字
        /// </summary>
        private class StaticLocalFunction
        {
            int N()
            {
                int y;
                LocalFunction();
                return y;

                void LocalFunction() => y = 0;
            }

            int M()
            {
                int y = 5;
                int x = 7;
                return Add(x, y);

                static int Add(int left, int right) => left + right;
            }
        }

View Code

可以在本地函数申明中使用static关键字

索引和范围

private class IndexRange
        {
            string[] words = new string[]
            {
                // index from start    index from end
                "The",      // 0                   ^9
                "quick",    // 1                   ^8
                "brown",    // 2                   ^7
                "fox",      // 3                   ^6
                "jumped",   // 4                   ^5
                "over",     // 5                   ^4
                "the",      // 6                   ^3
                "lazy",     // 7                   ^2
                "dog"       // 8                   ^1
            };              // 9 (or words.Length) ^0

            void Test()
            {
                //>=index_1 && < index_4
                var quickBrownFox = words[1..4];
                var lazyDog = words[^2..^0];
            }
        }

View Code

null合并赋值

/// <summary>
        /// null合并赋值
        /// </summary>
        private void NullMergeAssignment()
        {
            List<int> list = new List<int>();
            List<int> numbers = list.Where(x => x > 20).ToList();

            numbers ??= new List<int>();
        }

当左操作数计算为 null 时,将??= 右操作数的值分配给左操作数

异步流

public static class AsyncStream
        {
            public static async System.Collections.Generic.IAsyncEnumerable<int> GenerateSequence()
            {
                for (int i = 0; i < 20; i++)
                {
                    await Task.Delay(100);
                    yield return i;
                }
            }

            public static async void GetNumbers()
            {
                var c = CSharp8.AsyncStream.GenerateSequence();
                await foreach (var number in c)
                {
                    Console.WriteLine(number);
                }
            }
        }

View Code

GetNumbers使用await等待返回结果,每隔100ms会输出i++的值

(0)

相关推荐

  • C# 7

    public static class StringHelper { public static bool IsCapitalized(this string str) { if(string.IsN ...

  • Java 基础语法

    注释 #单行注释 // 这里是单行注释 #多行注释 /* 这里是 多行注释 */ #JavaDoc /* *@Description: *@Author: */ Java可以使用中文命名 但不建议使用 ...

  • 新版 C# 高效率编程指南

    前言 C# 从 7 版本开始一直到如今的 9 版本,加入了非常多的特性,其中不乏改善性能.增加程序健壮性和代码简洁性.可读性的改进,这里我整理一些使用新版 C# 的时候个人推荐的写法,可能不适用于所有 ...

  • MySQL8.0新特性

    MySQL从5.7一跃直接到8.0,这其中的缘由,咱就不关心那么多了,有兴趣的朋友自行百度,本次的版本更新,在功能上主要有以下6点: 账户与安全 优化器索引 通用表表达式 窗口函数 InnoDB 增强 ...

  • Vue3.0 新特性以及使用变更总结(实际工作用到的)

    前言 Vue3.0 在去年9月正式发布了,也有许多小伙伴都热情的拥抱Vue3.0.去年年底我们新项目使用Vue3.0来开发,这篇文章就是在使用后的一个总结, 包含Vue3新特性的使用以及一些用法上的变 ...

  • Vue3.0 新特性以及使用经验总结

    vue3.0Vue3.0 在去年9月正式发布了,也有许多小伙伴都热情的拥抱Vue3.0.去年年底我们新项目使用Vue3.0来开发,这篇文章就是在使用后的一个总结, 包含Vue3新特性的使用以及一些用法 ...

  • C# 9.0新特性详解系列之一:只初始化设置器(init only setter)

    C# 9.0新特性详解系列之一:只初始化设置器(init only setter)

  • 易快讯 | OPPO R15新机驾到,安卓9.0新特性曝光……

    OPPOR15新机驾到 今天,OPPO方面突然宣布了R系列新机R15的消息,而从其发布的海报中显示,这款机型将会采用异型全面屏.根据OPPO官方发布的内容,R15将前置摄像头和传感器集中在异型全面屏的 ...

  • Android 9.0 新特性曝光,切断后台相机访问

    据谷歌的消息称,全新的 Android  9.0 将于 5月8日到5月10日的I/O 2018大会上出现,代号定为Pistachio Ice Cream (中文音译为 开心果冰淇淋) 然而,很多用户都 ...

  • 再过3个小时的Google I/O大会上要发布的Android 8.0新特性 我早就在自己的手机上用过了

    Hello 大家晚上好 又到了一年一度的谷歌开发者大会时间 和去年一样 今年的大会还是在 Google 总部 山景城旁边的 Shoreline Amphitheatre 露天剧场举行 数千名来自全球各 ...

  • MySQL8.0 新特性 Hash Join

    概述&背景 MySQL一直被人诟病没有实现HashJoin,最新发布的8.0.18已经带上了这个功能,令人欣喜.有时候在想,MySQL为什么一直不支持HashJoin呢?我想可能是因为MySQ ...

  • C#语言新特性(6.0-8.0)

    只读的自动属性 通过声明只有get访问器的自动属性,实现该属性只读 public string FirstName { get; } public string LastName { get; } 自 ...