SlideShare a Scribd company logo
C# 8.0 new features
Who Am I?
Miguel has over 10 years of experience with
Microsoft Technologies. Specialized with many
things in the Microsoft ecosystem, including C#,
F#, and Azure, he likes to blog about his
engineering notes and technology in general. He
is also very involved in the Montréal msdevmtl
community where he is a co-organizer.
NEXUS INNOVATIONS - PRÉSENTATION 2
https://blog.miguelbernard.com
https://www.linkedin.com/in/miguelbernard/
@MiguelBernard88
https://github.com/mbernard
New features
• Readonly members
• Default interface methods
• Pattern matching enhancements
• Using declarations
• Static local functions
• Disposable ref structs
• Nullable reference types
• Asynchronous streams
• Indices and ranges
• Null-coalescing assignment
• Unmanaged constructed types
• Stackalloc in nested expressions
• Enhancement of interpolated verbatim strings
NEXUS INNOVATIONS - PRÉSENTATION 3
Nullable reference types
To enable it
• In .csproj
• <LangVersion>8.0</LangVersion>
• <Nullable>Enable</Nullable>
• In code
• #nullable enable
• #nullable restore
NEXUS INNOVATIONS - PRÉSENTATION 4
Nullable reference types
? nullable operator
! Null forgiving operator
i.e.
NEXUS INNOVATIONS - PRÉSENTATION 5
string? a = null;
a!.Length;
Nullable reference types
DEMO
NEXUS INNOVATIONS - PRÉSENTATION 6
Pattern matching enhancements
Use case of a Toll service
V1 -Price per vehicle type
• 🚗Car -> 2$
• 🚕Taxi -> 3.50$
• 🚌Bus -> 5$
• 🚚Truck -> 10$
NEXUS INNOVATIONS - PRÉSENTATION 7
Pattern matching enhancements
V2 - Price considering occupancy
• Car and taxi
• No passengers -> +0.50 $
• 2 passengers -> -0.50 $
• 3 or more passengers -> -1$
NEXUS INNOVATIONS - PRÉSENTATION 8
Pattern matching enhancements
V3 - Price considering occupancy
• Car and taxi
• No passengers -> +0.50 $
• 2 passengers -> -0.50 $
• 3 or more passengers -> -1$
• Bus
• Less than 50% full -> +2$
• More than 90% full -> -1$
NEXUS INNOVATIONS - PRÉSENTATION 9
Pattern matching enhancements
V4 - Price considering weight
• > 5000 lbs -> +5$
• < 3000 lbs -> -2$
NEXUS INNOVATIONS - PRÉSENTATION 10
Pattern matching enhancements
V5 – Refactor Car and Taxi!
NEXUS INNOVATIONS - PRÉSENTATION 11
Asynchronous streams
To have an async stream you need 3 properties
• It’s declared with the ‘async’ modifier
• It returns an IAsyncEnumerable<T>
• The method contains ‘yield return’ statements
NEXUS INNOVATIONS - PRÉSENTATION 12
Asynchronous streams
NEXUS INNOVATIONS - PRÉSENTATION 13
internal async IAsyncEnumerable<int> GenerateSequence()
{
for (int i = 0; i < 20; i++)
{
// every 3 elements, wait 2 seconds:
if (i % 3 == 0)
await Task.Delay(3000);
yield return i;
}
}
internal async Task<int> ConsumeStream()
{
await foreach (var number in GenerateSequence())
{
Console.WriteLine($"The time is {DateTime.Now:hh:mm:ss}. Retrieved {number}");
}
return 0;
}
Indices and ranges
New operators
• The index from end operator ^, which specifies that an index is relative to the
end of the sequence
• The range operator .., which specifies the start and end of a range as its
operands
NEXUS INNOVATIONS - PRÉSENTATION 14
Indices and ranges
Notes
• The ^0 index is the same as sequence[sequence.Length].
• Note that sequence[^0] does throw an exception, just as
sequence[sequence.Length] does
• For any number n, the index ^n is the same as sequence.Length – n
• The range [0..^0] represents the entire range, just as [0..sequence.Length]
represents the entire range.
NEXUS INNOVATIONS - PRÉSENTATION 15
Indices and ranges
NEXUS INNOVATIONS - PRÉSENTATION 16
private 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
};
Indices and ranges
NEXUS INNOVATIONS - PRÉSENTATION 17
var allWords = words[..]; // contains "The" through "dog".
var firstPhrase = words[..4]; // contains "The" through "fox"
var lastPhrase = words[6..]; // contains "the, "lazy" and "dog"
var lazyDog = words[^2..^0];
Index the = ^3;
words[the];
Range phrase = 1..4;
words[phrase];
Default interface methods
Demo!
NEXUS INNOVATIONS - PRÉSENTATION 18
Static local functions
NEXUS INNOVATIONS - PRÉSENTATION 19
int M()
{
int y = 5;
int x = 7;
return Add(x, y);
static int Add(int left, int right) => left + right;
}
You can now add the static modifier to local functions to ensure that local function doesn't capture (reference) any
variables from the enclosing scope.
Doing so generates CS8421, "A static local function can't contain a reference to <variable>."
Null-coalescing assignment
C# 8.0 introduces the null-coalescing assignment operator ??=. You can use
the ??= operator to assign the value of its right-hand operand to its left-hand
operand only if the left-hand operand evaluates to null.
NEXUS INNOVATIONS - PRÉSENTATION 20
List<int> numbers = null;
int? a = null;
(numbers ??= new List<int>()).Add(5);
Console.WriteLine(string.Join(" ", numbers)); // output: 5
numbers.Add(a ??= 0);
Console.WriteLine(string.Join(" ", numbers)); // output: 5 0
Console.WriteLine(a); // output: 0
Using declarations
Using variables are automatically disposed at the end of the current scope
NEXUS INNOVATIONS - PRÉSENTATION 21
public void Method()
{
using var file = new StreamWriter(“myFile.txt”);
…logic here…
} // Disposed here
public void Method()
{
using(var file = new StreamWriter(“myFile.txt”))
{
…logic here…
} // Disposed here
}
Enhancement of interpolated verbatim strings
Order of the $ and @ tokens in interpolated verbatim strings can be any: both
$@"..." and @$"..." are valid interpolated verbatim strings
In earlier C# versions, the $ token must appear before the @ token
NEXUS INNOVATIONS - PRÉSENTATION 22
Readonly members
• Only applicable for struct
• Advantages
• The compilier can now enforce your
intent
• Doing so will enable to compiler to
perform performance optimizations on
your code
NEXUS INNOVATIONS - PRÉSENTATION 23
public struct Point
{
public double X { get; set; }
public double Y { get; set; }
public readonly double Distance =>
Math.Sqrt(X * X + Y * Y);
public readonly override string ToString() =>
$"({X}, {Y}) is {Distance} from the origin";
}
Unmanaged constructed types
NEXUS INNOVATIONS - PRÉSENTATION 24
public struct Coords<T> where T : unmanaged
{
public T X;
public T Y;
}
Span<Coords<int>> coordinates = stackalloc[]
{
new Coords<int> { X = 0, Y = 0 },
new Coords<int> { X = 0, Y = 3 },
new Coords<int> { X = 4, Y = 0 }
};
Stackalloc in nested expressions
Starting with C# 8.0, if the result of a stackalloc expression is of the Span<T>
or ReadOnlySpan<T> type, you can use the stackalloc expression in other
expressions
NEXUS INNOVATIONS - PRÉSENTATION 25
Span<int> numbers = stackalloc[] { 1, 2, 3, 4, 5, 6 };
var ind = numbers.IndexOfAny(stackalloc[] { 2, 4, 6 ,8 });
Console.WriteLine(ind); // output: 1
Disposable ref structs
A struct declared with the ref modifier may not implement any interfaces and so
can't implement IDisposable.
Therefore, to enable a ref struct to be disposed, it must have an accessible
`void Dispose()` method. This feature also applies to readonly ref struct
declarations.
NEXUS INNOVATIONS - PRÉSENTATION 26
ref struct Book
{
public void Dispose()
{
}
}
References
• https://github.com/mbernard/csharp8sample
• https://docs.microsoft.com/en-us/dotnet/csharp/whats-new/csharp-8
• https://docs.microsoft.com/en-us/dotnet/csharp/tutorials/default-interface-
methods-versions
NEXUS INNOVATIONS - PRÉSENTATION 27
Questions?
Questions?
NEXUS INNOVATIONS - PRÉSENTATION 28
https://blog.miguelbernard.com
https://www.linkedin.com/in/miguelbernard/
@MiguelBernard88
https://github.com/mbernard
1751 Richardson, suite, 4.500
H3K 1G6, Montréa, Canada
NEXUS INNOVATIONS - PRÉSENTATION 29

More Related Content

What's hot

C++ Question on References and Function Overloading
C++ Question on References and Function OverloadingC++ Question on References and Function Overloading
C++ Question on References and Function Overloading
mohamed sikander
 
Type Driven Development with TypeScript
Type Driven Development with TypeScriptType Driven Development with TypeScript
Type Driven Development with TypeScript
Garth Gilmour
 
C sharp 8
C sharp 8C sharp 8
C sharp 8
Germán Küber
 
An Intro To ES6
An Intro To ES6An Intro To ES6
An Intro To ES6
FITC
 
Introduction to Functional Programming in JavaScript
Introduction to Functional Programming in JavaScriptIntroduction to Functional Programming in JavaScript
Introduction to Functional Programming in JavaScript
tmont
 
EcmaScript unchained
EcmaScript unchainedEcmaScript unchained
EcmaScript unchained
Eduard Tomàs
 
Cpp tutorial
Cpp tutorialCpp tutorial
Cpp tutorial
Vikas Sharma
 
Functional Programming in JavaScript by Luis Atencio
Functional Programming in JavaScript by Luis AtencioFunctional Programming in JavaScript by Luis Atencio
Functional Programming in JavaScript by Luis Atencio
Luis Atencio
 
Container adapters
Container adaptersContainer adapters
Container adapters
mohamed sikander
 
Explaining ES6: JavaScript History and What is to Come
Explaining ES6: JavaScript History and What is to ComeExplaining ES6: JavaScript History and What is to Come
Explaining ES6: JavaScript History and What is to Come
Cory Forsyth
 
Functional Programming in Javascript - IL Tech Talks week
Functional Programming in Javascript - IL Tech Talks weekFunctional Programming in Javascript - IL Tech Talks week
Functional Programming in Javascript - IL Tech Talks week
yoavrubin
 
Inheritance and polymorphism
Inheritance and polymorphismInheritance and polymorphism
Inheritance and polymorphism
mohamed sikander
 
Advance C++notes
Advance C++notesAdvance C++notes
Advance C++notes
Rajiv Gupta
 
Advance features of C++
Advance features of C++Advance features of C++
Advance features of C++
vidyamittal
 
Functional programming in Python
Functional programming in PythonFunctional programming in Python
Functional programming in Python
Colin Su
 
Category theory, Monads, and Duality in the world of (BIG) Data
Category theory, Monads, and Duality in the world of (BIG) DataCategory theory, Monads, and Duality in the world of (BIG) Data
Category theory, Monads, and Duality in the world of (BIG) Data
greenwop
 
What's New In C# 7
What's New In C# 7What's New In C# 7
What's New In C# 7
Paulo Morgado
 
ECMAScript 6
ECMAScript 6ECMAScript 6
ECMAScript 6
Piotr Lewandowski
 
C# 7
C# 7C# 7
Oops practical file
Oops practical fileOops practical file
Oops practical file
Ankit Dixit
 

What's hot (20)

C++ Question on References and Function Overloading
C++ Question on References and Function OverloadingC++ Question on References and Function Overloading
C++ Question on References and Function Overloading
 
Type Driven Development with TypeScript
Type Driven Development with TypeScriptType Driven Development with TypeScript
Type Driven Development with TypeScript
 
C sharp 8
C sharp 8C sharp 8
C sharp 8
 
An Intro To ES6
An Intro To ES6An Intro To ES6
An Intro To ES6
 
Introduction to Functional Programming in JavaScript
Introduction to Functional Programming in JavaScriptIntroduction to Functional Programming in JavaScript
Introduction to Functional Programming in JavaScript
 
EcmaScript unchained
EcmaScript unchainedEcmaScript unchained
EcmaScript unchained
 
Cpp tutorial
Cpp tutorialCpp tutorial
Cpp tutorial
 
Functional Programming in JavaScript by Luis Atencio
Functional Programming in JavaScript by Luis AtencioFunctional Programming in JavaScript by Luis Atencio
Functional Programming in JavaScript by Luis Atencio
 
Container adapters
Container adaptersContainer adapters
Container adapters
 
Explaining ES6: JavaScript History and What is to Come
Explaining ES6: JavaScript History and What is to ComeExplaining ES6: JavaScript History and What is to Come
Explaining ES6: JavaScript History and What is to Come
 
Functional Programming in Javascript - IL Tech Talks week
Functional Programming in Javascript - IL Tech Talks weekFunctional Programming in Javascript - IL Tech Talks week
Functional Programming in Javascript - IL Tech Talks week
 
Inheritance and polymorphism
Inheritance and polymorphismInheritance and polymorphism
Inheritance and polymorphism
 
Advance C++notes
Advance C++notesAdvance C++notes
Advance C++notes
 
Advance features of C++
Advance features of C++Advance features of C++
Advance features of C++
 
Functional programming in Python
Functional programming in PythonFunctional programming in Python
Functional programming in Python
 
Category theory, Monads, and Duality in the world of (BIG) Data
Category theory, Monads, and Duality in the world of (BIG) DataCategory theory, Monads, and Duality in the world of (BIG) Data
Category theory, Monads, and Duality in the world of (BIG) Data
 
What's New In C# 7
What's New In C# 7What's New In C# 7
What's New In C# 7
 
ECMAScript 6
ECMAScript 6ECMAScript 6
ECMAScript 6
 
C# 7
C# 7C# 7
C# 7
 
Oops practical file
Oops practical fileOops practical file
Oops practical file
 

Similar to C sharp 8.0 new features

The Present and Future of the Web Platform
The Present and Future of the Web PlatformThe Present and Future of the Web Platform
The Present and Future of the Web Platform
C4Media
 
ECMAScript 6 and the Node Driver
ECMAScript 6 and the Node DriverECMAScript 6 and the Node Driver
ECMAScript 6 and the Node Driver
MongoDB
 
The Evolution of Async-Programming on .NET Platform (.Net China, C#)
The Evolution of Async-Programming on .NET Platform (.Net China, C#)The Evolution of Async-Programming on .NET Platform (.Net China, C#)
The Evolution of Async-Programming on .NET Platform (.Net China, C#)
jeffz
 
Effective Object Oriented Design in Cpp
Effective Object Oriented Design in CppEffective Object Oriented Design in Cpp
Effective Object Oriented Design in Cpp
CodeOps Technologies LLP
 
C# What's next? (7.x and 8.0)
C# What's next? (7.x and 8.0)C# What's next? (7.x and 8.0)
C# What's next? (7.x and 8.0)
Christian Nagel
 
CppTutorial.ppt
CppTutorial.pptCppTutorial.ppt
CppTutorial.ppt
HODZoology3
 
Connect.Tech- Enhancing Your Workflow With Xcode Source Editor Extensions
Connect.Tech- Enhancing Your Workflow With Xcode Source Editor ExtensionsConnect.Tech- Enhancing Your Workflow With Xcode Source Editor Extensions
Connect.Tech- Enhancing Your Workflow With Xcode Source Editor Extensions
stable|kernel
 
What’s new in .NET
What’s new in .NETWhat’s new in .NET
What’s new in .NET
Doommaker
 
Build 2016 - B880 - Top 6 Reasons to Move Your C++ Code to Visual Studio 2015
Build 2016 - B880 - Top 6 Reasons to Move Your C++ Code to Visual Studio 2015Build 2016 - B880 - Top 6 Reasons to Move Your C++ Code to Visual Studio 2015
Build 2016 - B880 - Top 6 Reasons to Move Your C++ Code to Visual Studio 2015
Windows Developer
 
DDD, CQRS and testing with ASP.Net MVC
DDD, CQRS and testing with ASP.Net MVCDDD, CQRS and testing with ASP.Net MVC
DDD, CQRS and testing with ASP.Net MVC
Andy Butland
 
C# 7 development
C# 7 developmentC# 7 development
C# 7 development
Fisnik Doko
 
C# 7.x What's new and what's coming with C# 8
C# 7.x What's new and what's coming with C# 8C# 7.x What's new and what's coming with C# 8
C# 7.x What's new and what's coming with C# 8
Christian Nagel
 
Task and Data Parallelism: Real-World Examples
Task and Data Parallelism: Real-World ExamplesTask and Data Parallelism: Real-World Examples
Task and Data Parallelism: Real-World Examples
Sasha Goldshtein
 
Design Patterns - Compiler Case Study - Hands-on Examples
Design Patterns - Compiler Case Study - Hands-on ExamplesDesign Patterns - Compiler Case Study - Hands-on Examples
Design Patterns - Compiler Case Study - Hands-on Examples
Ganesh Samarthyam
 
LINQ Inside
LINQ InsideLINQ Inside
LINQ Inside
jeffz
 
TypeScript and SharePoint Framework
TypeScript and SharePoint FrameworkTypeScript and SharePoint Framework
TypeScript and SharePoint Framework
Bob German
 
TDC2018SP | Trilha .Net - Novidades do C# 7 e 8
TDC2018SP | Trilha .Net - Novidades do C# 7 e 8TDC2018SP | Trilha .Net - Novidades do C# 7 e 8
TDC2018SP | Trilha .Net - Novidades do C# 7 e 8
tdc-globalcode
 
201801 CSE240 Lecture 13
201801 CSE240 Lecture 13201801 CSE240 Lecture 13
201801 CSE240 Lecture 13
Javier Gonzalez-Sanchez
 
Introduction to Elixir
Introduction to ElixirIntroduction to Elixir
Introduction to Elixir
Diacode
 
Emerging Languages: A Tour of the Horizon
Emerging Languages: A Tour of the HorizonEmerging Languages: A Tour of the Horizon
Emerging Languages: A Tour of the Horizon
Alex Payne
 

Similar to C sharp 8.0 new features (20)

The Present and Future of the Web Platform
The Present and Future of the Web PlatformThe Present and Future of the Web Platform
The Present and Future of the Web Platform
 
ECMAScript 6 and the Node Driver
ECMAScript 6 and the Node DriverECMAScript 6 and the Node Driver
ECMAScript 6 and the Node Driver
 
The Evolution of Async-Programming on .NET Platform (.Net China, C#)
The Evolution of Async-Programming on .NET Platform (.Net China, C#)The Evolution of Async-Programming on .NET Platform (.Net China, C#)
The Evolution of Async-Programming on .NET Platform (.Net China, C#)
 
Effective Object Oriented Design in Cpp
Effective Object Oriented Design in CppEffective Object Oriented Design in Cpp
Effective Object Oriented Design in Cpp
 
C# What's next? (7.x and 8.0)
C# What's next? (7.x and 8.0)C# What's next? (7.x and 8.0)
C# What's next? (7.x and 8.0)
 
CppTutorial.ppt
CppTutorial.pptCppTutorial.ppt
CppTutorial.ppt
 
Connect.Tech- Enhancing Your Workflow With Xcode Source Editor Extensions
Connect.Tech- Enhancing Your Workflow With Xcode Source Editor ExtensionsConnect.Tech- Enhancing Your Workflow With Xcode Source Editor Extensions
Connect.Tech- Enhancing Your Workflow With Xcode Source Editor Extensions
 
What’s new in .NET
What’s new in .NETWhat’s new in .NET
What’s new in .NET
 
Build 2016 - B880 - Top 6 Reasons to Move Your C++ Code to Visual Studio 2015
Build 2016 - B880 - Top 6 Reasons to Move Your C++ Code to Visual Studio 2015Build 2016 - B880 - Top 6 Reasons to Move Your C++ Code to Visual Studio 2015
Build 2016 - B880 - Top 6 Reasons to Move Your C++ Code to Visual Studio 2015
 
DDD, CQRS and testing with ASP.Net MVC
DDD, CQRS and testing with ASP.Net MVCDDD, CQRS and testing with ASP.Net MVC
DDD, CQRS and testing with ASP.Net MVC
 
C# 7 development
C# 7 developmentC# 7 development
C# 7 development
 
C# 7.x What's new and what's coming with C# 8
C# 7.x What's new and what's coming with C# 8C# 7.x What's new and what's coming with C# 8
C# 7.x What's new and what's coming with C# 8
 
Task and Data Parallelism: Real-World Examples
Task and Data Parallelism: Real-World ExamplesTask and Data Parallelism: Real-World Examples
Task and Data Parallelism: Real-World Examples
 
Design Patterns - Compiler Case Study - Hands-on Examples
Design Patterns - Compiler Case Study - Hands-on ExamplesDesign Patterns - Compiler Case Study - Hands-on Examples
Design Patterns - Compiler Case Study - Hands-on Examples
 
LINQ Inside
LINQ InsideLINQ Inside
LINQ Inside
 
TypeScript and SharePoint Framework
TypeScript and SharePoint FrameworkTypeScript and SharePoint Framework
TypeScript and SharePoint Framework
 
TDC2018SP | Trilha .Net - Novidades do C# 7 e 8
TDC2018SP | Trilha .Net - Novidades do C# 7 e 8TDC2018SP | Trilha .Net - Novidades do C# 7 e 8
TDC2018SP | Trilha .Net - Novidades do C# 7 e 8
 
201801 CSE240 Lecture 13
201801 CSE240 Lecture 13201801 CSE240 Lecture 13
201801 CSE240 Lecture 13
 
Introduction to Elixir
Introduction to ElixirIntroduction to Elixir
Introduction to Elixir
 
Emerging Languages: A Tour of the Horizon
Emerging Languages: A Tour of the HorizonEmerging Languages: A Tour of the Horizon
Emerging Languages: A Tour of the Horizon
 

Recently uploaded

E-Invoicing Implementation: A Step-by-Step Guide for Saudi Arabian Companies
E-Invoicing Implementation: A Step-by-Step Guide for Saudi Arabian CompaniesE-Invoicing Implementation: A Step-by-Step Guide for Saudi Arabian Companies
E-Invoicing Implementation: A Step-by-Step Guide for Saudi Arabian Companies
Quickdice ERP
 
一比一原版(USF毕业证)旧金山大学毕业证如何办理
一比一原版(USF毕业证)旧金山大学毕业证如何办理一比一原版(USF毕业证)旧金山大学毕业证如何办理
一比一原版(USF毕业证)旧金山大学毕业证如何办理
dakas1
 
UI5con 2024 - Keynote: Latest News about UI5 and it’s Ecosystem
UI5con 2024 - Keynote: Latest News about UI5 and it’s EcosystemUI5con 2024 - Keynote: Latest News about UI5 and it’s Ecosystem
UI5con 2024 - Keynote: Latest News about UI5 and it’s Ecosystem
Peter Muessig
 
How Can Hiring A Mobile App Development Company Help Your Business Grow?
How Can Hiring A Mobile App Development Company Help Your Business Grow?How Can Hiring A Mobile App Development Company Help Your Business Grow?
How Can Hiring A Mobile App Development Company Help Your Business Grow?
ToXSL Technologies
 
Mobile app Development Services | Drona Infotech
Mobile app Development Services  | Drona InfotechMobile app Development Services  | Drona Infotech
Mobile app Development Services | Drona Infotech
Drona Infotech
 
WWDC 2024 Keynote Review: For CocoaCoders Austin
WWDC 2024 Keynote Review: For CocoaCoders AustinWWDC 2024 Keynote Review: For CocoaCoders Austin
WWDC 2024 Keynote Review: For CocoaCoders Austin
Patrick Weigel
 
Everything You Need to Know About X-Sign: The eSign Functionality of XfilesPr...
Everything You Need to Know About X-Sign: The eSign Functionality of XfilesPr...Everything You Need to Know About X-Sign: The eSign Functionality of XfilesPr...
Everything You Need to Know About X-Sign: The eSign Functionality of XfilesPr...
XfilesPro
 
SQL Accounting Software Brochure Malaysia
SQL Accounting Software Brochure MalaysiaSQL Accounting Software Brochure Malaysia
SQL Accounting Software Brochure Malaysia
GohKiangHock
 
Unveiling the Advantages of Agile Software Development.pdf
Unveiling the Advantages of Agile Software Development.pdfUnveiling the Advantages of Agile Software Development.pdf
Unveiling the Advantages of Agile Software Development.pdf
brainerhub1
 
Artificia Intellicence and XPath Extension Functions
Artificia Intellicence and XPath Extension FunctionsArtificia Intellicence and XPath Extension Functions
Artificia Intellicence and XPath Extension Functions
Octavian Nadolu
 
Oracle Database 19c New Features for DBAs and Developers.pptx
Oracle Database 19c New Features for DBAs and Developers.pptxOracle Database 19c New Features for DBAs and Developers.pptx
Oracle Database 19c New Features for DBAs and Developers.pptx
Remote DBA Services
 
Modelling Up - DDDEurope 2024 - Amsterdam
Modelling Up - DDDEurope 2024 - AmsterdamModelling Up - DDDEurope 2024 - Amsterdam
Modelling Up - DDDEurope 2024 - Amsterdam
Alberto Brandolini
 
一比一原版(UMN毕业证)明尼苏达大学毕业证如何办理
一比一原版(UMN毕业证)明尼苏达大学毕业证如何办理一比一原版(UMN毕业证)明尼苏达大学毕业证如何办理
一比一原版(UMN毕业证)明尼苏达大学毕业证如何办理
dakas1
 
Top Benefits of Using Salesforce Healthcare CRM for Patient Management.pdf
Top Benefits of Using Salesforce Healthcare CRM for Patient Management.pdfTop Benefits of Using Salesforce Healthcare CRM for Patient Management.pdf
Top Benefits of Using Salesforce Healthcare CRM for Patient Management.pdf
VALiNTRY360
 
Mobile App Development Company In Noida | Drona Infotech
Mobile App Development Company In Noida | Drona InfotechMobile App Development Company In Noida | Drona Infotech
Mobile App Development Company In Noida | Drona Infotech
Drona Infotech
 
Energy consumption of Database Management - Florina Jonuzi
Energy consumption of Database Management - Florina JonuziEnergy consumption of Database Management - Florina Jonuzi
Energy consumption of Database Management - Florina Jonuzi
Green Software Development
 
Enums On Steroids - let's look at sealed classes !
Enums On Steroids - let's look at sealed classes !Enums On Steroids - let's look at sealed classes !
Enums On Steroids - let's look at sealed classes !
Marcin Chrost
 
在线购买加拿大英属哥伦比亚大学毕业证本科学位证书原版一模一样
在线购买加拿大英属哥伦比亚大学毕业证本科学位证书原版一模一样在线购买加拿大英属哥伦比亚大学毕业证本科学位证书原版一模一样
在线购买加拿大英属哥伦比亚大学毕业证本科学位证书原版一模一样
mz5nrf0n
 
Using Xen Hypervisor for Functional Safety
Using Xen Hypervisor for Functional SafetyUsing Xen Hypervisor for Functional Safety
Using Xen Hypervisor for Functional Safety
Ayan Halder
 
UI5con 2024 - Bring Your Own Design System
UI5con 2024 - Bring Your Own Design SystemUI5con 2024 - Bring Your Own Design System
UI5con 2024 - Bring Your Own Design System
Peter Muessig
 

Recently uploaded (20)

E-Invoicing Implementation: A Step-by-Step Guide for Saudi Arabian Companies
E-Invoicing Implementation: A Step-by-Step Guide for Saudi Arabian CompaniesE-Invoicing Implementation: A Step-by-Step Guide for Saudi Arabian Companies
E-Invoicing Implementation: A Step-by-Step Guide for Saudi Arabian Companies
 
一比一原版(USF毕业证)旧金山大学毕业证如何办理
一比一原版(USF毕业证)旧金山大学毕业证如何办理一比一原版(USF毕业证)旧金山大学毕业证如何办理
一比一原版(USF毕业证)旧金山大学毕业证如何办理
 
UI5con 2024 - Keynote: Latest News about UI5 and it’s Ecosystem
UI5con 2024 - Keynote: Latest News about UI5 and it’s EcosystemUI5con 2024 - Keynote: Latest News about UI5 and it’s Ecosystem
UI5con 2024 - Keynote: Latest News about UI5 and it’s Ecosystem
 
How Can Hiring A Mobile App Development Company Help Your Business Grow?
How Can Hiring A Mobile App Development Company Help Your Business Grow?How Can Hiring A Mobile App Development Company Help Your Business Grow?
How Can Hiring A Mobile App Development Company Help Your Business Grow?
 
Mobile app Development Services | Drona Infotech
Mobile app Development Services  | Drona InfotechMobile app Development Services  | Drona Infotech
Mobile app Development Services | Drona Infotech
 
WWDC 2024 Keynote Review: For CocoaCoders Austin
WWDC 2024 Keynote Review: For CocoaCoders AustinWWDC 2024 Keynote Review: For CocoaCoders Austin
WWDC 2024 Keynote Review: For CocoaCoders Austin
 
Everything You Need to Know About X-Sign: The eSign Functionality of XfilesPr...
Everything You Need to Know About X-Sign: The eSign Functionality of XfilesPr...Everything You Need to Know About X-Sign: The eSign Functionality of XfilesPr...
Everything You Need to Know About X-Sign: The eSign Functionality of XfilesPr...
 
SQL Accounting Software Brochure Malaysia
SQL Accounting Software Brochure MalaysiaSQL Accounting Software Brochure Malaysia
SQL Accounting Software Brochure Malaysia
 
Unveiling the Advantages of Agile Software Development.pdf
Unveiling the Advantages of Agile Software Development.pdfUnveiling the Advantages of Agile Software Development.pdf
Unveiling the Advantages of Agile Software Development.pdf
 
Artificia Intellicence and XPath Extension Functions
Artificia Intellicence and XPath Extension FunctionsArtificia Intellicence and XPath Extension Functions
Artificia Intellicence and XPath Extension Functions
 
Oracle Database 19c New Features for DBAs and Developers.pptx
Oracle Database 19c New Features for DBAs and Developers.pptxOracle Database 19c New Features for DBAs and Developers.pptx
Oracle Database 19c New Features for DBAs and Developers.pptx
 
Modelling Up - DDDEurope 2024 - Amsterdam
Modelling Up - DDDEurope 2024 - AmsterdamModelling Up - DDDEurope 2024 - Amsterdam
Modelling Up - DDDEurope 2024 - Amsterdam
 
一比一原版(UMN毕业证)明尼苏达大学毕业证如何办理
一比一原版(UMN毕业证)明尼苏达大学毕业证如何办理一比一原版(UMN毕业证)明尼苏达大学毕业证如何办理
一比一原版(UMN毕业证)明尼苏达大学毕业证如何办理
 
Top Benefits of Using Salesforce Healthcare CRM for Patient Management.pdf
Top Benefits of Using Salesforce Healthcare CRM for Patient Management.pdfTop Benefits of Using Salesforce Healthcare CRM for Patient Management.pdf
Top Benefits of Using Salesforce Healthcare CRM for Patient Management.pdf
 
Mobile App Development Company In Noida | Drona Infotech
Mobile App Development Company In Noida | Drona InfotechMobile App Development Company In Noida | Drona Infotech
Mobile App Development Company In Noida | Drona Infotech
 
Energy consumption of Database Management - Florina Jonuzi
Energy consumption of Database Management - Florina JonuziEnergy consumption of Database Management - Florina Jonuzi
Energy consumption of Database Management - Florina Jonuzi
 
Enums On Steroids - let's look at sealed classes !
Enums On Steroids - let's look at sealed classes !Enums On Steroids - let's look at sealed classes !
Enums On Steroids - let's look at sealed classes !
 
在线购买加拿大英属哥伦比亚大学毕业证本科学位证书原版一模一样
在线购买加拿大英属哥伦比亚大学毕业证本科学位证书原版一模一样在线购买加拿大英属哥伦比亚大学毕业证本科学位证书原版一模一样
在线购买加拿大英属哥伦比亚大学毕业证本科学位证书原版一模一样
 
Using Xen Hypervisor for Functional Safety
Using Xen Hypervisor for Functional SafetyUsing Xen Hypervisor for Functional Safety
Using Xen Hypervisor for Functional Safety
 
UI5con 2024 - Bring Your Own Design System
UI5con 2024 - Bring Your Own Design SystemUI5con 2024 - Bring Your Own Design System
UI5con 2024 - Bring Your Own Design System
 

C sharp 8.0 new features

  • 1. C# 8.0 new features
  • 2. Who Am I? Miguel has over 10 years of experience with Microsoft Technologies. Specialized with many things in the Microsoft ecosystem, including C#, F#, and Azure, he likes to blog about his engineering notes and technology in general. He is also very involved in the Montréal msdevmtl community where he is a co-organizer. NEXUS INNOVATIONS - PRÉSENTATION 2 https://blog.miguelbernard.com https://www.linkedin.com/in/miguelbernard/ @MiguelBernard88 https://github.com/mbernard
  • 3. New features • Readonly members • Default interface methods • Pattern matching enhancements • Using declarations • Static local functions • Disposable ref structs • Nullable reference types • Asynchronous streams • Indices and ranges • Null-coalescing assignment • Unmanaged constructed types • Stackalloc in nested expressions • Enhancement of interpolated verbatim strings NEXUS INNOVATIONS - PRÉSENTATION 3
  • 4. Nullable reference types To enable it • In .csproj • <LangVersion>8.0</LangVersion> • <Nullable>Enable</Nullable> • In code • #nullable enable • #nullable restore NEXUS INNOVATIONS - PRÉSENTATION 4
  • 5. Nullable reference types ? nullable operator ! Null forgiving operator i.e. NEXUS INNOVATIONS - PRÉSENTATION 5 string? a = null; a!.Length;
  • 6. Nullable reference types DEMO NEXUS INNOVATIONS - PRÉSENTATION 6
  • 7. Pattern matching enhancements Use case of a Toll service V1 -Price per vehicle type • 🚗Car -> 2$ • 🚕Taxi -> 3.50$ • 🚌Bus -> 5$ • 🚚Truck -> 10$ NEXUS INNOVATIONS - PRÉSENTATION 7
  • 8. Pattern matching enhancements V2 - Price considering occupancy • Car and taxi • No passengers -> +0.50 $ • 2 passengers -> -0.50 $ • 3 or more passengers -> -1$ NEXUS INNOVATIONS - PRÉSENTATION 8
  • 9. Pattern matching enhancements V3 - Price considering occupancy • Car and taxi • No passengers -> +0.50 $ • 2 passengers -> -0.50 $ • 3 or more passengers -> -1$ • Bus • Less than 50% full -> +2$ • More than 90% full -> -1$ NEXUS INNOVATIONS - PRÉSENTATION 9
  • 10. Pattern matching enhancements V4 - Price considering weight • > 5000 lbs -> +5$ • < 3000 lbs -> -2$ NEXUS INNOVATIONS - PRÉSENTATION 10
  • 11. Pattern matching enhancements V5 – Refactor Car and Taxi! NEXUS INNOVATIONS - PRÉSENTATION 11
  • 12. Asynchronous streams To have an async stream you need 3 properties • It’s declared with the ‘async’ modifier • It returns an IAsyncEnumerable<T> • The method contains ‘yield return’ statements NEXUS INNOVATIONS - PRÉSENTATION 12
  • 13. Asynchronous streams NEXUS INNOVATIONS - PRÉSENTATION 13 internal async IAsyncEnumerable<int> GenerateSequence() { for (int i = 0; i < 20; i++) { // every 3 elements, wait 2 seconds: if (i % 3 == 0) await Task.Delay(3000); yield return i; } } internal async Task<int> ConsumeStream() { await foreach (var number in GenerateSequence()) { Console.WriteLine($"The time is {DateTime.Now:hh:mm:ss}. Retrieved {number}"); } return 0; }
  • 14. Indices and ranges New operators • The index from end operator ^, which specifies that an index is relative to the end of the sequence • The range operator .., which specifies the start and end of a range as its operands NEXUS INNOVATIONS - PRÉSENTATION 14
  • 15. Indices and ranges Notes • The ^0 index is the same as sequence[sequence.Length]. • Note that sequence[^0] does throw an exception, just as sequence[sequence.Length] does • For any number n, the index ^n is the same as sequence.Length – n • The range [0..^0] represents the entire range, just as [0..sequence.Length] represents the entire range. NEXUS INNOVATIONS - PRÉSENTATION 15
  • 16. Indices and ranges NEXUS INNOVATIONS - PRÉSENTATION 16 private 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 };
  • 17. Indices and ranges NEXUS INNOVATIONS - PRÉSENTATION 17 var allWords = words[..]; // contains "The" through "dog". var firstPhrase = words[..4]; // contains "The" through "fox" var lastPhrase = words[6..]; // contains "the, "lazy" and "dog" var lazyDog = words[^2..^0]; Index the = ^3; words[the]; Range phrase = 1..4; words[phrase];
  • 18. Default interface methods Demo! NEXUS INNOVATIONS - PRÉSENTATION 18
  • 19. Static local functions NEXUS INNOVATIONS - PRÉSENTATION 19 int M() { int y = 5; int x = 7; return Add(x, y); static int Add(int left, int right) => left + right; } You can now add the static modifier to local functions to ensure that local function doesn't capture (reference) any variables from the enclosing scope. Doing so generates CS8421, "A static local function can't contain a reference to <variable>."
  • 20. Null-coalescing assignment C# 8.0 introduces the null-coalescing assignment operator ??=. You can use the ??= operator to assign the value of its right-hand operand to its left-hand operand only if the left-hand operand evaluates to null. NEXUS INNOVATIONS - PRÉSENTATION 20 List<int> numbers = null; int? a = null; (numbers ??= new List<int>()).Add(5); Console.WriteLine(string.Join(" ", numbers)); // output: 5 numbers.Add(a ??= 0); Console.WriteLine(string.Join(" ", numbers)); // output: 5 0 Console.WriteLine(a); // output: 0
  • 21. Using declarations Using variables are automatically disposed at the end of the current scope NEXUS INNOVATIONS - PRÉSENTATION 21 public void Method() { using var file = new StreamWriter(“myFile.txt”); …logic here… } // Disposed here public void Method() { using(var file = new StreamWriter(“myFile.txt”)) { …logic here… } // Disposed here }
  • 22. Enhancement of interpolated verbatim strings Order of the $ and @ tokens in interpolated verbatim strings can be any: both $@"..." and @$"..." are valid interpolated verbatim strings In earlier C# versions, the $ token must appear before the @ token NEXUS INNOVATIONS - PRÉSENTATION 22
  • 23. Readonly members • Only applicable for struct • Advantages • The compilier can now enforce your intent • Doing so will enable to compiler to perform performance optimizations on your code NEXUS INNOVATIONS - PRÉSENTATION 23 public struct Point { public double X { get; set; } public double Y { get; set; } public readonly double Distance => Math.Sqrt(X * X + Y * Y); public readonly override string ToString() => $"({X}, {Y}) is {Distance} from the origin"; }
  • 24. Unmanaged constructed types NEXUS INNOVATIONS - PRÉSENTATION 24 public struct Coords<T> where T : unmanaged { public T X; public T Y; } Span<Coords<int>> coordinates = stackalloc[] { new Coords<int> { X = 0, Y = 0 }, new Coords<int> { X = 0, Y = 3 }, new Coords<int> { X = 4, Y = 0 } };
  • 25. Stackalloc in nested expressions Starting with C# 8.0, if the result of a stackalloc expression is of the Span<T> or ReadOnlySpan<T> type, you can use the stackalloc expression in other expressions NEXUS INNOVATIONS - PRÉSENTATION 25 Span<int> numbers = stackalloc[] { 1, 2, 3, 4, 5, 6 }; var ind = numbers.IndexOfAny(stackalloc[] { 2, 4, 6 ,8 }); Console.WriteLine(ind); // output: 1
  • 26. Disposable ref structs A struct declared with the ref modifier may not implement any interfaces and so can't implement IDisposable. Therefore, to enable a ref struct to be disposed, it must have an accessible `void Dispose()` method. This feature also applies to readonly ref struct declarations. NEXUS INNOVATIONS - PRÉSENTATION 26 ref struct Book { public void Dispose() { } }
  • 27. References • https://github.com/mbernard/csharp8sample • https://docs.microsoft.com/en-us/dotnet/csharp/whats-new/csharp-8 • https://docs.microsoft.com/en-us/dotnet/csharp/tutorials/default-interface- methods-versions NEXUS INNOVATIONS - PRÉSENTATION 27
  • 28. Questions? Questions? NEXUS INNOVATIONS - PRÉSENTATION 28 https://blog.miguelbernard.com https://www.linkedin.com/in/miguelbernard/ @MiguelBernard88 https://github.com/mbernard
  • 29. 1751 Richardson, suite, 4.500 H3K 1G6, Montréa, Canada NEXUS INNOVATIONS - PRÉSENTATION 29

Editor's Notes

  1. Ca deviant tres interessant quand on a plusieurs using de suite
  2. A generic struct may be the source of both unmanaged and not unmanaged constructed types. The preceding example defines a generic struct Coords<T> and presents the examples of unmanaged constructed types. The example of not an unmanaged type is Coords<object>. It's not unmanaged because it has the fields of the object type, which is not unmanaged. If you want all constructed types to be unmanaged types, use the unmanaged constraint in the definition of a generic struct: