不可否认java是一门优秀的语言,但它的设计在一些方面作的不够好,下面我们对关于函数参数和返回值的一些问题进行探讨。
这是《effective Java》中的一个例子
public final class Period {
private final Date start;
private final Date end;
/**
* @param start the beginning of the period.
* @param end the end of the period; must not precede start.
* @throws IllegalArgumentException if start is after end.
* @throws NullPointerException if start or end is null.
*/
public Period(Date start, Date end) {
if (start.compareTo(end) > 0)
throw new IllegalArgumentException(start + " after "
+ end);
this.start = start;
this.end = end;
}
public Date start() {
return start;
}
public Date end() {
return end;
}
... // Remainder omitted
}
以上的例子至少有两类错误,类的得本意是start和end都是只读属性,但实际上这得不到保障,如果我写下列代码:
Date start = new Date();
Date end = new Date();
Period p = new Period(start, end);
end.setYear(78); // 修改了p内部变量end
p.end().setYear(78); // 修改了p内部变量end
为了解决这个问题,必须使用有效的防御性拷贝,代码修改如下:
// Repaired constructor - makes defensive copies of parameters
public Period(Date start, Date end) {
this.start = new Date(start.getTime());
this.end = new Date(end.getTime());
if (this.start.compareTo(this.end) > 0)
throw new IllegalArgumentException(start +" after "+ end);
}
// Repaired accessors - make defensive copies of internal fields
public Date start() {
return (Date) start.clone();
}
public Date end() {
return (Date) end.clone();
}
这里简单说一下为什么构造函数使用new,而属性方法使用clone呢?因为构造函数不能保证传入的参数就是java.util.Date而不是它的子类,属性方法就可以保证了。
当然这不是我们的重点,我们看看C++中如果要避免上述问题如何解决:
class Period {
private:
Date start;
Date end;
public:
Period(const Date& start, const Date& end);
const Date& start()const;
const Date& end() const;
... // Remainder omitted
}
实现部分就不用写了,C++几乎不用你做任何附加工作;相比之下Java的返回值需要clone是一个额外的工作,降低了软件的效率,你要知道并不是所有的Class都实现了Cloneable接口,因此它不是一个完美的解决方案。
因此我认为,Java从语言级就应该增加const对象引用方式。
也许我说的不对,毕竟我刚接触Java,希望提出批评和指教。