java知识点记录(持续更新)

1.如果另一个类中的那个方法是私有的话,就不能直接调用到,如果是其他类型的话看情况,如果是静态的(static)话,直接用类名可以调用到,如果是非静态的,就需要利用另一个类的实例(也就是用那个类生成的对象 new一个来调用)来调用。

举例

class A{
public static void a(){}
public void b(){}

}

public class B{
public static void main(String[] args){
A.a();//静态

new A().b();//非静态
}
}

 

2.接口的定义上不需要abstract  因为接口本生就是抽象的。

  这边区分抽象类。 

抽象类

抽象类是用来捕捉子类的通用特性的 。它不能被实例化,只能被用作子类的超类。抽象类是被用来创建继承层级里子类的模板。以JDK中的GenericServlet为例:

1

2

3

4

5

6

7

8

9

public abstract class GenericServlet implements Servlet, ServletConfig, Serializable {

    // abstract method

    abstract void service(ServletRequest req, ServletResponse res);

 

    void init() {

        // Its implementation

    }

    // other method related to Servlet

}

当HttpServlet类继承GenericServlet时,它提供了service方法的实现:

1

2

3

4

5

6

7

8

9

10

11

12

13

14

15

public class HttpServlet extends GenericServlet {

    void service(ServletRequest req, ServletResponse res) {

        // implementation

    }

 

    protected void doGet(HttpServletRequest req, HttpServletResponse resp) {

        // Implementation

    }

 

    protected void doPost(HttpServletRequest req, HttpServletResponse resp) {

        // Implementation

    }

 

    // some other methods related to HttpServlet

}

接口

接口是抽象方法的集合。如果一个类实现了某个接口,那么它就继承了这个接口的抽象方法。这就像契约模式,如果实现了这个接口,那么就必须确保使用这些方法。接口只是一种形式,接口自身不能做任何事情。以Externalizable接口为例:

1

2

3

4

5

6

public interface Externalizable extends Serializable {

 

    void writeExternal(ObjectOutput out) throws IOException;

 

    void readExternal(ObjectInput in) throws IOException, ClassNotFoundException;

}

当你实现这个接口时,你就需要实现上面的两个方法:

1

2

3

4

5

6

7

8

9

10

11

12

13

14

15

16

17

18

19

public class Employee implements Externalizable {

 

    int employeeId;

    String employeeName;

 

    @Override

    public void readExternal(ObjectInput in) throws IOException, ClassNotFoundException {

        employeeId = in.readInt();

        employeeName = (String) in.readObject();

 

    }

 

    @Override

    public void writeExternal(ObjectOutput out) throws IOException {

 

        out.writeInt(employeeId);

        out.writeObject(employeeName);

    }

}

你可能感兴趣的:(java知识点记录(持续更新))