I have a situation where I want record instances for a specific type to only be creatable using a factory method in a separate class within the same package. The reason for this is because before creating the record I need to perform a significant amount of validation.
The record is intended to be a dumb-data carrier of its validated fields but the validation cannot take place in the record's constructor because we require access to some elaborate validator objects to actually perform the validation.
Since passing the validator objects to the record constructor would mean they would form part of the record state it means we cannot use the record constructor to perform the record's validation.
And so I extracted the validation out into its own factory and coded up something like this (a factory class and a record in the same package):
package some.package;
// imports.....
@Component
class SomeRecordFactory {
private final SomeValidator someValidator;
private final SomeOtherValidator someOtherValidator;
// Rest of the fields
// ....
// constructor
// ....
public SomeRecord create(...) {
someValidator.validate(....);
someOtherValidator.validate(....);
// .... other validation
return new SomeRecord(...);
}
}
package some.package;
public record SomeRecord(...) {
/* package-private */ SomeRecord {
}
}
For whatever reason the above does not work with IntelliJ complaining:
Compact constructor access level cannot be more restrictive than the record access level (public)
I can avoid the issue by using a normal class (which allows for a single package-private constructor) but would like to more accurately model the data as a record.
Why does this restriction exist for records? Are there any plans to remove this restriction in the future?