'Record type with multiple constructors

How do I create multiple constructors for a record type in C#?

I created a record type like this:

public record Person(int Id, string FirstName, string LastName)

Now I want to introduce another constructor overload with no parameters, how can I do that? In a normal class I would do something like this:

public class Person
{
    public int Id { get; set; }
    public string FirstName { get; set; }
    public string LastName { get; set; }

    public Person()
    {
        
    }

    public Person(int id, string firstName, string lastName)
    {
        Id = id;
        FirstName = firstName;
        LastName = lastName;
    }
}


Solution 1:[1]

Use optional arguments.

public record Person(int Id = default, string FirstName = null, string LastName = null);

Solution 2:[2]

The selected answer works for this simple case where all the members are simple types. With reference types you usually want to call their constructors etc.

The right solution is to simply add the constructor you want like this:

record Rank(int level, string description);

record Manager(string FirstName, Rank rank) {
  // public Manager(string FirstName, Rank rank) auto generated by compiler
  public Manager() : this("", new(0, "Entry")) { }
}
                          

Solution 3:[3]

You can write your code like below:

public record Person
{
    public int Id { get; init; }
    public string FirstName { get; init; }
    public string LastName { get; init; }
    //constructor
    public Person()
    {
        //init or do something
    }
    //overload constructor
    public Person(int id, string firstName, string lastName)
    {
        Id = id;
        FirstName = firstName;
        LastName = lastName;
    }
}

Solution 4:[4]

you can write it like this:

public record Person(int Id,string FirstName,string LastName){
   public Person(YourDto item):this(item.Id,item.FirstName,item.LastName){} 
}

so, in the constructor you can pass your Dto item.

Sources

This article follows the attribution requirements of Stack Overflow and is licensed under CC BY-SA 3.0.

Source: Stack Overflow

Solution Source
Solution 1 Mustafa Arslan
Solution 2
Solution 3 Theodor Zoulias
Solution 4 Peter Csala