In the previous article, we built an aspect that implements the Deep Clone pattern. The aspect assumes that all fields
or properties annotated with the [Child]
attribute are both of a cloneable type and assignable. If this is not the
case, the aspect generates uncompilable code, making the aspect's user confused.
In this article, we will improve the aspect so that it reports errors in the following three unsupported situations.
We report an error when the field or property is read-only.
1namespace ErrorReadOnlyField;
2
3[Cloneable]
4internal class Game
5{
6 public Player Player { get; }
7
Error CLONE01: The property 'Game.Settings' cannot be read-only because it is marked as a [Child].
8 [Child] public GameSettings Settings { get; }
9}
10
11[Cloneable]
12internal class GameSettings
13{
14 public int Level { get; set; }
15 public string World { get; set; }
16}
17
18internal class Player
19{
20 public string Name { get; }
21}
We report an error when the type of the field or property does not have a Clone
method.
1namespace ErrorNotCloneableChild;
2
3[Cloneable]
4internal class Game
5{
Error CLONE01: The property 'Game.Player' cannot be read-only because it is marked as a [Child].
6 [Child] public Player Player { get; }
7
8 [Child] public GameSettings Settings { get; private set; }
9}
10
11[Cloneable]
12internal class GameSettings
13{
14 public int Level { get; set; }
15 public string World { get; set; }
16}
17
18internal class Player
19{
20 public string Name { get; }
21}
The Clone
method must be public
or internal
.
1namespace ErrorProtectedCloneMethod;
2
3[Cloneable]
4internal class Game
5{
Error CLONE03: The 'Player.Clone()' method must be public or internal.
6 [Child] public Player Player { get; private set; }
7}
8
9internal class Player
10{
11 public string Name { get; init; }
12
13 protected Player Clone() => new() { Name = this.Name };
14}
We report an error when the property is not an automatic property.
1namespace ErrorNotAutomaticProperty;
2
3[Cloneable]
4internal class Game
5{
6 private GameSettings _settings;
7
8 public Player Player { get; }
9
10 [Child]
Error CLONE04: The property 'Game.Settings' cannot be a [Child] because is not an automatic property.
11 public GameSettings Settings
12 {
13 get => this._settings;
14
15 private set
16 {
17 Console.WriteLine("Setting the value.");
18 this._settings = value;
19 }
20 }
21}
22
23[Cloneable]
24internal class GameSettings
25{
26 public int Level { get; set; }
27 public string World { get; set; }
28}
29
30internal class Player
31{
32 public string Name { get; }
33}
Aspect implementation
The full updated aspect code is here:
1using Metalama.Framework.Aspects;
2using Metalama.Framework.Code;
3using Metalama.Framework.Diagnostics;
4using Metalama.Framework.Project;
5
6[Inheritable]
7[EditorExperience(SuggestAsLiveTemplate = true)]
8public class CloneableAttribute : TypeAspect
9{
10 //
11 private static readonly DiagnosticDefinition<(DeclarationKind, IFieldOrProperty)>
12 _fieldOrPropertyCannotBeReadOnly =
13 new("CLONE01", Severity.Error,
14 "The {0} '{1}' cannot be read-only because it is marked as a [Child].");
15
16 private static readonly DiagnosticDefinition<(DeclarationKind, IFieldOrProperty, IType)>
17 _missingCloneMethod =
18 new("CLONE02", Severity.Error,
19 "The {0} '{1}' cannot be a [Child] because its type '{2}' does not have a 'Clone' parameterless method.");
20
21 private static readonly DiagnosticDefinition<IMethod> _cloneMethodMustBePublic =
22 new("CLONE03", Severity.Error,
23 "The '{0}' method must be public or internal.");
24
25 private static readonly DiagnosticDefinition<IProperty> _childPropertyMustBeAutomatic =
26 new("CLONE04", Severity.Error,
27 "The property '{0}' cannot be a [Child] because is not an automatic property.");
28 //
29
30 public override void BuildAspect(IAspectBuilder<INamedType> builder)
31 {
32 // Verify child fields and properties.
33 if (!this.VerifyFieldsAndProperties(builder))
34 {
35 builder.SkipAspect();
36 return;
37 }
38
39 // Introduce the Clone method.
40 builder.Advice.IntroduceMethod(
41 builder.Target,
42 nameof(this.CloneImpl),
43 whenExists: OverrideStrategy.Override,
44 args: new { T = builder.Target },
45 buildMethod: m =>
46 {
47 m.Name = "Clone";
48 m.ReturnType = builder.Target;
49 });
50
51 // Implement the ICloneable interface.
52 builder.Advice.ImplementInterface(
53 builder.Target,
54 typeof(ICloneable),
55 OverrideStrategy.Ignore);
56 }
57
58 private bool VerifyFieldsAndProperties(IAspectBuilder<INamedType> builder)
59 {
60 var success = true;
61
62 // Verify that child fields are valid.
63 foreach (var fieldOrProperty in GetCloneableFieldsOrProperties(builder.Target))
64 {
65 // The field or property must be writable.
66 if (fieldOrProperty.Writeability != Writeability.All)
67 {
68 builder.Diagnostics.Report(
69 _fieldOrPropertyCannotBeReadOnly.WithArguments((
70 fieldOrProperty.DeclarationKind,
71 fieldOrProperty)), fieldOrProperty);
72 success = false;
73 }
74
75 // If it is a field, it must be an automatic property.
76 if (fieldOrProperty is IProperty property && property.IsAutoPropertyOrField == false)
77 {
78 builder.Diagnostics.Report(_childPropertyMustBeAutomatic.WithArguments(property),
79 property);
80 success = false;
81 }
82
83 // The type of the field must be cloneable.
84 void ReportMissingMethod()
85 {
86 builder.Diagnostics.Report(
87 _missingCloneMethod.WithArguments((fieldOrProperty.DeclarationKind,
88 fieldOrProperty,
89 fieldOrProperty.Type)), fieldOrProperty);
90 }
91
92 if (fieldOrProperty.Type is not INamedType fieldType)
93 {
94 // The field type is an array, a pointer or another special type, which do not have a Clone method.
95 ReportMissingMethod();
96 success = false;
97 }
98 else
99 {
100 var cloneMethod = fieldType.AllMethods.OfName("Clone")
101 .SingleOrDefault(p => p.Parameters.Count == 0);
102
103 if (cloneMethod == null)
104 {
105 // There is no Clone method.
106 // If may be implemented by an aspect, but we don't have access to aspects on other types
107 // at design time.
108 if (!MetalamaExecutionContext.Current.ExecutionScenario.IsDesignTime)
109 {
110 if (!fieldType.BelongsToCurrentProject ||
111 !fieldType.Enhancements().HasAspect<CloneableAttribute>())
112 {
113 ReportMissingMethod();
114 success = false;
115 }
116 }
117 }
118 else if (cloneMethod.Accessibility is not (Accessibility.Public
119 or Accessibility.Internal))
120 {
121 // If we have a Clone method, it must be public.
122 builder.Diagnostics.Report(
123 _cloneMethodMustBePublic.WithArguments(cloneMethod), fieldOrProperty);
124 success = false;
125 }
126 }
127 }
128
129 return success;
130 }
131
132
133 private static IEnumerable<IFieldOrProperty> GetCloneableFieldsOrProperties(INamedType type)
134 => type.FieldsAndProperties.Where(f =>
135 f.Attributes.OfAttributeType(typeof(ChildAttribute)).Any());
136
137 [Template]
138 public virtual T CloneImpl<[CompileTime] T>()
139 {
140 // This compile-time variable will receive the expression representing the base call.
141 // If we have a public Clone method, we will use it (this is the chaining pattern). Otherwise,
142 // we will call MemberwiseClone (this is the initialization of the pattern).
143 IExpression baseCall;
144
145 if (meta.Target.Method.IsOverride)
146 {
147 baseCall = (IExpression)meta.Base.Clone();
148 }
149 else
150 {
151 baseCall = (IExpression)meta.This.MemberwiseClone();
152 }
153
154 // Define a local variable of the same type as the target type.
155 var clone = (T)baseCall.Value!;
156
157 // Select cloneable fields.
158 var cloneableFields = GetCloneableFieldsOrProperties(meta.Target.Type);
159
160 foreach (var field in cloneableFields)
161 {
162 // Check if we have a public method 'Clone()' for the type of the field.
163 var fieldType = (INamedType)field.Type;
164
165 field.With(clone).Value = meta.Cast(fieldType, field.Value?.Clone());
166 }
167
168 return clone;
169 }
170
171 [InterfaceMember(IsExplicit = true)]
172 private object Clone() => meta.This.Clone();
173}
The first thing to do is to define the errors we want to report as static fields.
11private static readonly DiagnosticDefinition<(DeclarationKind, IFieldOrProperty)>
12 _fieldOrPropertyCannotBeReadOnly =
13 new("CLONE01", Severity.Error,
14 "The {0} '{1}' cannot be read-only because it is marked as a [Child].");
15
16private static readonly DiagnosticDefinition<(DeclarationKind, IFieldOrProperty, IType)>
17 _missingCloneMethod =
18 new("CLONE02", Severity.Error,
19 "The {0} '{1}' cannot be a [Child] because its type '{2}' does not have a 'Clone' parameterless method.");
20
21private static readonly DiagnosticDefinition<IMethod> _cloneMethodMustBePublic =
22 new("CLONE03", Severity.Error,
23 "The '{0}' method must be public or internal.");
24
25private static readonly DiagnosticDefinition<IProperty> _childPropertyMustBeAutomatic =
26 new("CLONE04", Severity.Error,
27 "The property '{0}' cannot be a [Child] because is not an automatic property.");
For details about reporting errors, see Reporting and suppressing diagnostics.
Then, we add the VerifyFieldsAndProperties
method and call it from BuildAspect
.
58private bool VerifyFieldsAndProperties(IAspectBuilder<INamedType> builder)
59{
60 var success = true;
61
62 // Verify that child fields are valid.
63 foreach (var fieldOrProperty in GetCloneableFieldsOrProperties(builder.Target))
64 {
65 // The field or property must be writable.
66 if (fieldOrProperty.Writeability != Writeability.All)
67 {
68 builder.Diagnostics.Report(
69 _fieldOrPropertyCannotBeReadOnly.WithArguments((
70 fieldOrProperty.DeclarationKind,
71 fieldOrProperty)), fieldOrProperty);
72 success = false;
73 }
74
75 // If it is a field, it must be an automatic property.
76 if (fieldOrProperty is IProperty property && property.IsAutoPropertyOrField == false)
77 {
78 builder.Diagnostics.Report(_childPropertyMustBeAutomatic.WithArguments(property),
79 property);
80 success = false;
81 }
82
83 // The type of the field must be cloneable.
84 void ReportMissingMethod()
85 {
86 builder.Diagnostics.Report(
87 _missingCloneMethod.WithArguments((fieldOrProperty.DeclarationKind,
88 fieldOrProperty,
89 fieldOrProperty.Type)), fieldOrProperty);
90 }
91
92 if (fieldOrProperty.Type is not INamedType fieldType)
93 {
94 // The field type is an array, a pointer or another special type, which do not have a Clone method.
95 ReportMissingMethod();
96 success = false;
97 }
98 else
99 {
100 var cloneMethod = fieldType.AllMethods.OfName("Clone")
101 .SingleOrDefault(p => p.Parameters.Count == 0);
102
103 if (cloneMethod == null)
104 {
105 // There is no Clone method.
106 // If may be implemented by an aspect, but we don't have access to aspects on other types
107 // at design time.
108 if (!MetalamaExecutionContext.Current.ExecutionScenario.IsDesignTime)
109 {
110 if (!fieldType.BelongsToCurrentProject ||
111 !fieldType.Enhancements().HasAspect<CloneableAttribute>())
112 {
113 ReportMissingMethod();
114 success = false;
115 }
116 }
117 }
118 else if (cloneMethod.Accessibility is not (Accessibility.Public
119 or Accessibility.Internal))
120 {
121 // If we have a Clone method, it must be public.
122 builder.Diagnostics.Report(
123 _cloneMethodMustBePublic.WithArguments(cloneMethod), fieldOrProperty);
124 success = false;
125 }
126 }
127 }
128
129 return success;
130}
131
132
When we detect an unsupported situation, we report the error using the Report method. The first argument is the diagnostic constructed from the definition stored in the static field, and the second is the invalid field or property.
The third verification requires additional discussion. Our aspect requires the type of child fields or properties to
have a Clone
method. This method can be defined in three ways: in source code (i.e., hand-written), in a referenced
assembly (compiled), or introduced by the Cloneable
aspect itself. In the latter case, the Clone
method may not yet
be present in the code model because the child field type may not have been processed yet. Therefore, if we don't find
the Clone
method, we should check if the child type has the Cloneable
aspect. This aspect can be added as a custom
attribute which we could check using the code model, but it could also be added as a fabric without the help of a custom
attribute. Thus, we must check the presence of the aspect, not the custom attribute. You can check the presence of the
aspect using fieldType.Enhancements().HasAspect<CloneableAttribute>()
. The problem is that, at design time (inside the
IDE), Metalama only knows aspects applied to the current type and its parent types. Metalama uses that strategy for
performance reasons to avoid recompiling the whole assembly at each keystroke. Therefore, that verification cannot be
performed at design time and must be skipped.
Summary
Instead of generating invalid code and confusing the user, our aspect now reports errors when it detects unsupported
situations. It still lacks a mechanism to support anomalies. What if the Game
class includes a collection of Player
s
instead of just one?