1 .Java 程序运行时内存的逻辑分配
method area, stack ,heap ,native method stack
In method area------ there are information about class which loaded.
In heap------there are array and obj created by new operation
In stack------local variance area ,operater number stack
In native method stack 内存------
data:image/s3,"s3://crabby-images/2f006/2f006486446fdded7030a90b2124f6c550473b78" alt=""
2. Java 栈(JVM stack)
Jvm stack 是程序运行时的单位
just like this
data:image/s3,"s3://crabby-images/ec2b7/ec2b74df320cd0972a5e91db4ed65581bca860b4" alt=""
In java,每个thread 都有自己的jvm stack,因为 jvm stack 存储着thread的执行逻辑。
3. let us talk about Java Heap.
Firstly,Java Heap divided to different generations.just like this:
Then we can see when we create a String obj,how it stored in java heap:just like this:
data:image/s3,"s3://crabby-images/ead3f/ead3f541f463ab4e00c6d4ccbf3971368215cd1d" alt=""
extends:String str=new String("123");
if there is no 123 in constant var in pool ,it will create in pool firstly, then create it in heap,just like this:
data:image/s3,"s3://crabby-images/3ac67/3ac67380f40ffa1fc50e16fa7ad15f17069aeb05" alt=""
please think when string is local variance,what happens?
4:we can talk about 值传递和引用传递 now
摘自知乎:链接:
https://www.zhihu.com/question/31203609/answer/50992895
in order to know what is 值传递 and what is 引用传递,we make sense the difference between 基本类型 和 引用类型
data:image/s3,"s3://crabby-images/60fea/60fea68c577537f1b8e88d06903628645b0a309d" alt=""
其中a是基本类型,值就保存在变量a中,而string是引用类型,变量中保持的是实际对象的地址。一般称这种变量为引用。
how the “=” work
if
int num = 10;
String str = "hello";
data:image/s3,"s3://crabby-images/8ab84/8ab84a6f3c3ca77364b06ee51fcaf4faeac6cfc6" alt=""
now we do this
num = 20;
str = "java";
it works just like this:
data:image/s3,"s3://crabby-images/ed4d8/ed4d88645401bc5ff766360b847e53b3fe8102fb" alt=""
from above two pictures,the conclusion is:
对于基本类型 num ,赋值运算符会直接改变变量的值,原来的值被覆盖掉。
对于引用类型 str,赋值运算符会改变引用中所保存的地址,原来的地址被覆盖掉。但是原来的对象不会被改变(重要)。
调用方法时发生了什么???
------参数传递基本上就是赋值操作------
example 1 :基本类型
void foo(int value) {
value = 100;
}
foo(num); // num 没有被改变,因为传递只是num的值。
example2 :引用类型,但该引用类型没有提供改变自身的方法。如String
void foo(String text) {
text = "windows";
}
foo(str); // str 也没有被改变
example 3:引用类型,该类型提供了改变自身的方法。
StringBuilder sb = new StringBuilder("iphone");
void foo(StringBuilder builder) {
builder.append("4");
}
foo(sb); // sb 被改变了,变成了"iphone4"。
example4:同example3,提供改变自身方法的引用类型,但是不使用,使用赋值运算。
StringBuilder sb = new StringBuilder("iphone");
void foo(StringBuilder builder) {
builder = new StringBuilder("ipad");
}
foo(sb); // sb 没有被改变,还是 "iphone"。
网友评论