I use value objects to encapsulate validations like maxLength. This is an extract of a sample class without factory method and validation:
public class CallingName : ValueObject
{
public string Value { get; }
public const int MaxLength = 50;
private CallingName(string text)
{
Value = text;
}
...
}
In the SQL database the table should have a field 'CallingName' of type nvarchar
with a maximum length of 50.
Using EF Core I'm aware of value converters and owned types, but I don't fully understand the options and differences between both. If a value object has only one property, is it possible to use either one?
So far I used a value converter for the field:
entity.Property(e => e.CallingName)
.HasMaxLength(CallingName.MaxLength)
.HasConversion(DBConverter.CallingNameConverter);
Looking at the simple example in the Microsoft docs I would think that this should work without a value converter like this
entity.OwnsOne(e => e.CallingName)
.Property(e => e.Value)
.HasColumnName("CallingName")
.HasMaxLength(CallingName.MaxLength);
or
entity.OwnsOne(e => e.CallingName,
p=>p.Property<string>("CallingName")
.HasMaxLength(CallingName.MaxLength));
or
entity.OwnsOne(e => e.CallingName,
p => p.Property(e=>e.Value)
.HasColumnName("CallingName")
.HasMaxLength(CallingName.MaxLength));
Do all of the above version work? What is the purpose of the different versions? What are the cases or criteria to use a value converter or an owned type?
To my understanding, when types have no public setters they need an empty constructor for owned types. Value converters can call the constructor, resp. the factory method. Is that correct?
The documentation for OwnsOne shows 6 overloads, but has no examples. The descriptions sound Klingon to me. I don't understand what each one is for. I couldn't find any better explantion or article googling. Is there a good explanation with examples?
I posted the question also in dotnet core issues on github. ajcvickers answered:
To my understanding Owned Types are still the only option for value objects with more than one property until EF Core 7.
I still haven't found explantions of the OwnsOne overloads and why to use each one.