1.final修饰符
有时候,你不希望别人坐享其成,通过继续你写的类得到他自己所需要的类,怎么办呢?这个时候你就可以在你的class之前加上final这个修饰府,例如public final class test{……},加上了这个修饰符之后,别人在继续这个类的话就会编译出错,提示他这个类不能构建子类。从这我们可以看出,final修饰符和abstract修饰符是不能同时使用的,因为abstract类可以说是专门用来继续的,而final类则不能用于继续。
那么假如是在方法的前面加上final修饰符有什么作用呢?比如说A类中有个声明为final的方法a(){….},那么B继续A的时候,B就不能覆盖方法a(){….},否则编译出错,提示Cannot override the final method from A。此外,假如一个类声明为final类的话,它里面所有的方法都自动成为final类型的。
自然的,你肯定会问,假如一个域申明为final的时候有什么作用?一个属性声明为final之后,你不能在对它重新进行赋值,否则编译报错,The final field ×× cannot be assigned。另外,请注重,类声明为final的时候,仅仅它的方法自动变为final,而属性则不会。
2.类型转化:
类型转换是Java编程中比较常见的一种操作,非凡是基本数据类型之间的转换,如long型转化为int型,int转化为long等等。
类型的转化可以分成两类:强制转化与自动转化,例如long i=1;这个就叫自动转化,而int i=(long)1L,就是强制转化,这里我们主要讨论类对象之间的转化,还是以下面的代码为例:
public class PolymorphicTest {
public PolymorphicTest() { }
public void setName(String n){
this.name=n;
System.out.println(“在父类中”);
}
public String getName(){
return this.name;
}
private String name;}
public class PolymorphicChild extends PolymorphicTest {
public void setArea(String a){
this.area=a; }
public String getArea(){
return this.area; }
//public void setName(String n){// super(“n”);
// System.out.pirngln(“在子类中”);
// }
public static void main(String[] args) {
PolymorphicChild child=new PolymorphicChild();
PolymorphicTest test[]=new PolymorphicTest[2];
test[0]=child;
PolymorphicChild cast=(PolymorphicChild)test[0];
test[0].setName(“zhukai”);
test[1]=new PolymorphicTest(); }
private String area;}
PolymorphicChild同时包含了两种转化,test[0]=child是自动转化,而
PolymorphicChild cast=(PolymorphicChild)test[0]就是强制转化,假如没有
(PolymorphicChild)的话编译就会出错,
cannot convert from PolymorphicTest to PolymorphicChild,那么是不是PolymorphicTest类型的对象都可以强制转化成PolymorphicChild类型的呢?例如,我们有这么一行代码:
PolymorphicChild cast=(PolymorphicChild)test[1]会不会出错呢?结果是编译不会出错,但是运行的时候会出错,ClassCastException。那么什么时候才可以进行强制类型转化呢?
首先,它们必须是同一个家族的,之间有继续关系;
其次,假设有A的对象a,B的对象b,B是A的子类,什么条件下才能把a强制转化成B型别呢?a必须指向(refer to)B或者其子类的一个对象,即进行下运算a instanceof B即可,若返回值为ture即可,否则有错误。在本例中假如System.out.println(test[1] instanceof PolymorphicChild)将会输出“false”,System.out.println(test[0] instanceof PolymorphicChild)将会输出“true”。
3.抽象类
抽象类的用处是十分大的,非凡是对于OOP而言,关于抽象类,总结几点:
a. 抽象类不能实例化,即不能对其用new运算符;
b. 类中假如有一个或多个abstract方法,则该类必须声明为abstract;
c. 抽象类中的方法不一定都是abstract方法,它还可以包含一个或者多个具体的方法;
d. 即使一个类中不含抽象方法,它也可以声明为抽象类;