How can I improve this design?
        Posted  
        
            by klausbyskov
        on Stack Overflow
        
        See other posts from Stack Overflow
        
            or by klausbyskov
        
        
        
        Published on 2010-03-15T16:56:42Z
        Indexed on 
            2010/03/15
            16:59 UTC
        
        
        Read the original article
        Hit count: 432
        
Let's assume that our system can perform actions, and that an action requires some parameters to do its work. I have defined the following base class for all actions (simplified for your reading pleasure):
public abstract class BaseBusinessAction<TActionParameters> 
    : where TActionParameters : IActionParameters
{
    protected BaseBusinessAction(TActionParameters actionParameters)
    {
        if (actionParameters == null) 
            throw new ArgumentNullException("actionParameters"); 
        this.Parameters = actionParameters;
        if (!ParametersAreValid()) 
            throw new ArgumentException("Valid parameters must be supplied", "actionParameters");
    }
    protected TActionParameters Parameters { get; private set; }
    protected abstract bool ParametersAreValid();
    public void CommonMethod() { ... }
}
Only a concrete implementation of BaseBusinessAction knows how to validate that the parameters passed to it are valid, and therefore the
ParametersAreValid is an abstract function. However, I want the base class constructor to enforce that the parameters passed are always valid, so I've added a
call to ParametersAreValid to the constructor and I throw an exception when the function returns false. So far so good, right? Well, no.
Code analysis is telling me to "not call overridable methods in constructors" which actually makes a lot of sense because when the base class's constructor is called 
the child class's constructor has not yet been called, and therefore the ParametersAreValid method may not have access to some critical member variable that the 
child class's constructor would set.
So the question is this: How do I improve this design?
Do I add a Func<bool, TActionParameters> parameter to the base class constructor? If I did:
public class MyAction<MyParameters>
{
    public MyAction(MyParameters actionParameters, bool something) : base(actionParameters, ValidateIt)
    {
        this.something = something;
    }
    private bool something;
    public static bool ValidateIt()
    {
       return something;
    }
}
This would work because ValidateIt is static, but I don't know... Is there a better way?
Comments are very welcome.
© Stack Overflow or respective owner