我有一个公共构造函数,它接受一个参数(int age)来创建一个对象.我想检查传递的参数是否合法,例如年龄不能为负数.如果它是非法的,那么不要创建一个对象/实例.如果合法,没问题.
我只能想到一个办法去做 –
使构造函数私有.使用参数(int age)创建一个静态方法来执行所有检查,如果传递一个非法值,则返回null.如果你传递一个合法的值,然后创建一个对象并返回它的引用.
有什么办法吗?也许来自构造函数本身?
编辑:
我想到了上述方法的一个问题.出于明显的原因,工厂方法/对象创建方法只能是一种静态方法.如果工厂方法必须访问成员变量(做一些检查)来创建对象,会发生什么?然后,我们将被迫使该成员变量为静态.在所有情况下可能都不行.
是否有意义 ?
解决方法
Is there any other way of doing it ? Maybe from inside the constructor itself ?
是.我建议从构造函数中抛出异常
public class Person { int age; public Person(int age) throws Exception { if(age <= 0) { throw new Exception("Age is not allowed"); } // Do some stuffs this.age = age; } }
编辑:
您也可以按照Till Helge Helwig的建议使用IllegalArgumentException
public class Person { int age; public Person(int age) throws IllegalArgumentException { if(age <= 0) { throw new IllegalArgumentException("Age is not allowed"); } // Do some stuffs this.age = age; } }