通过在构造函数中抛出异常来中止对象的初始化,建议拒绝无效输入。
public class User
{
public User(String name) {
if (String.IsNullOrWhiteSpace(name)) {
if (name == null) {
throw new System.ArgumentNullException("Cannot be null.", "name");
}
else {
throw new System.ArgumentException("Cannot be empty.", "name");
}
}
}
}
您希望在构造函数中定义的业务逻辑不适合那里。构造函数应该是轻量级的,并且只能实例化。查询某些数据源对于构造函数来说太昂贵了。因此,您应该改用工厂模式。使用工厂模式,调用者可能期望对象创建涉及一些繁重的工作。
public class User
{
private User(String name) {
if (String.IsNullOrWhiteSpace(name)) {
if (name == null) {
throw new System.ArgumentNullException("Cannot be null.", "name");
}
else {
throw new System.ArgumentException("Cannot be empty.", "name");
}
}
}
public static User CreateUser(String name) {
User user = new User(name); // Lightweight instantiation, basic validation
var matches = allUsers.Where(q => q.Name == name).ToList();
if(matches.Any())
{
throw new System.ArgumentException("User with the specified name already exists.", "name");
}
Name = name;
}
public String Name {
get;
private set; // Optionally public if needed
}
}
您可以看到工厂模式更适合,因为它是一种方法,调用者可能希望通过调用它来进行一些工作。而对于构造函数,人们会期望它是轻量级的。
如果您想走构造函数路线,那么您可能想尝试一些其他方法来执行您的业务规则,例如尝试实际插入数据源时。
public class User
{
public User(String name) {
if (String.IsNullOrWhiteSpace(name)) {
if (name == null) {
throw new System.ArgumentNullException("Cannot be null.", "name");
}
else {
throw new System.ArgumentException("Cannot be empty.", "name");
}
}
}
}
public class SomeDataSource {
public void AddUser(User user) {
// Do your business validation here, and either throw or possibly return a value
// If business rules pass, then add the user
Users.Add(user);
}
}