在构造函数中使用:base()
本文关键字:base 构造函数 | 更新日期: 2023-09-27 18:14:08
我目前正在尝试构造一个对象,它派生自一个不同的对象,但在调用基构造函数之前,我想做一些参数验证。
public FuelMotorCycle(string owner) : base(owner)
{
argumentValidation(owner);
}
现在我明白了,最初的基本构造函数首先被调用,是否有一种方法,我可以调用它,只有在argumentValidation方法之后?
首先调用基类构造函数
这个例子:class Program
{
static void Main(string[] args)
{
var dc = new DerivedClass();
System.Console.Read();
}
}
class BaseClass
{
public BaseClass(){
System.Console.WriteLine("base");
}
}
class DerivedClass : BaseClass
{
public DerivedClass()
: base()
{
System.Console.WriteLine("derived");
}
}
将输出:
base
derived
现在我明白了,首先调用基构造函数,是否有一种方法,我可以调用它之后的argumentValidation方法?
不,至少不是很直接。
但是你可以使用一个小的解决方案,你有static
方法接受参数,验证它并返回它,如果它是有效的或抛出一个异常,如果它不是:
private static string argumentValidate(string owner)
{
if (/* validation logic for owner */) return owner;
else throw new YourInvalidArgumentException();
}
然后让派生类构造函数在将参数传递给base
构造函数之前通过此方法传递参数:
public FuelMotorCycle(string owner) : base(argumentValidate(owner))
{
}
首先调用基类构造函数,然后执行方法体中的所有内容。
Base用于构造函数。派生类构造函数需要从其基类调用构造函数。当默认构造函数不存在时,可以使用base引用自定义基构造函数。基类构造函数在派生类构造函数之前被调用,但是派生类初始化函数在基类初始化函数之前被调用。我还建议您查看msdn
using System;
public class A // This is the base class.
{
public A(int value)
{
// Executes some code in the constructor.
Console.WriteLine("Base constructor A()");
}
}
public class B : A // This class derives from the previous class.
{
public B(int value)
: base(value)
{
// The base constructor is called first.
// ... Then this code is executed.
Console.WriteLine("Derived constructor B()");
}
}
class Program
{
static void Main()
{
// Create a new instance of class A, which is the base class.
// ... Then create an instance of B, which executes the base constructor.
A a = new A(0);
B b = new B(1);
}
}
Base constructor A()
Base constructor A()
Derived constructor B()
根据验证方法的不同,您可以这样做:
public FuelMotorCycle(string owner)
: base(argumentValidationReturningValidatedArg(owner))
{
}
例如,如果验证函数是一个静态方法,这应该没问题。