Blog

Filter posts by Category Or Tag of the Blog section!

record keyword in C#

Monday, 20 September 2021

The record keyword in C# introduces a new type of value type that simplifies the creation of lightweight and efficient data structures. Records are similar to classes, but they have several key differences:

  • Syntactic Sugar: Records provide a syntax sugar for creating data structures with a constrained set of properties. This makes them easier to read and write compared to traditional classes.
  • Value Type: Unlike classes, records are value types, meaning that they are stored on the stack instead of the heap. This makes them smaller and more performant, especially for small objects.
  • Compile-Time Fields: Record properties are considered compile-time fields, meaning that their values are known at compile time. This allows for optimizations such as direct access to fields and string concatenation without boxing and unboxing.
  • Readonly Properties: By default, record properties are readonly, which means they cannot be modified after creation. This further simplifies their usage and promotes immutability.

Here's an example of a record declaration:
 

record Point(int x, int y);

 

This code declares a record named Point with two properties: x and y. Both properties are integer types (int).

Here's an example of creating a Point record:

 

var point = new Point(10, 20);


 

This code creates a new Point record with an x value of 10 and a y value of 20.

Records can also be used to define custom operators and conversions. For example:
 

record Point(int x, int y);


static Point operator +(Point p1, Point p2)

{

    return new Point(p1.x + p2.x, p1.y + p2.y);

}



static implicit operator string(Point p)

{

    return $"({p.x}, {p.y})";

}

 

This code defines a custom + operator for Point records. It also defines an implicit conversion from Point to string.

Records are a powerful new feature in C# that can simplify the creation and use of lightweight data structures. They are particularly well-suited for scenarios where performance and readability are important considerations.


Note: The implicit keyword in C# is used to declare a custom conversion that can be automatically applied without explicit casting. This can be useful for making code more concise and readable, especially when dealing with built-in types or user-defined types that closely resemble built-in types. The implicit keyword ensures that the compiler will automatically perform the conversion from Point to string when necessary. This makes the code more readable and avoids the need for explicit casting, which can sometimes be error-prone. Implicit conversions are a powerful tool for making code more concise and readable, especially when dealing with custom types that closely resemble built-in types. They can also simplify code that involves type conversions and make it more maintainable.

Category: Software

Tags: C#

comments powered by Disqus