由于开始学习JAVA不久,很多细节需要在将代码码出来之后才能注意到。比如转义符是\n,而不是/n。
今天在静态方法里调用了一个非静态方法,于是报错了。
package charactor;
public class TestString {
//每个单词首字母大写
public String firstUpperCase(String word) {
char firstLetter=word.charAt(0);
char firstLetter1=firstLetter;
int firstLetterUpper=firstLetter-32;
if(firstLetterUpper>=65) {
firstLetter1=(char) firstLetterUpper;
}
String word1=word.replace(firstLetter, firstLetter1);
return word1;
}
public static void main(String[] args) {
String sentence="I make my own luck.";
System.out.println(sentence);
String[] part=sentence.split(" ");
for(String x:part) {
System.out.print(firstUpperCase(x)+" ");
}
}
}
在静态方法中调用firstUpperCase时显示“Cannot make a static reference to the non-static method firstUpperCase(String) from the type TestString”。将其声明为static后正常运行。于是查了一下资料,说明如下。
先说结论:
在静态方法中,不能直接访问非静态的方法和变量,this关键字也不能使用。
原因:
非静态的变量是依赖于对象存在的,对象必须实例化之后,它的变量才会在内存中存在。而非静态方法需要访问非静态变量,所以对非静态方法的访问也是针对某一个具体的对象的方法进行的。
静态成员不依赖于对象存在,即使是类所属的对象不存在,也可以被访问,它对整个进程而言是全局的。因此,在静态方法内部是不可以直接访问非静态成员的。
类中静态的方法或者属性,本质上来讲并不是该类的成员,在java虚拟机装在类的时候,这些静态的东西已经有了对象,它只是在这个类中”寄居”,不需要通过类的构造器(构造函数)类实现实例化;而非静态的属性或者方法,在类的装载是并没有存在,需在执行了该类的构造函数后才可依赖该类的实例对象存在。所以在静态方法中调用非静态方法时,编译器会报错(Cannot make a static reference to the non-static method func() from the type A)。