【Java】Java中方法参数的值传递机制
程序员文章站
2022-10-03 16:53:31
1. 值传递机制// 值传递机制:仅仅传递的是一个值的副本class ArrayDemo6 {public static void change(int x){System.out.println("change前:" + x);x = 50;System.out.println("change后:" + x);}public static void main(String[] args) {int x = 10;System.out.println...
前言
Java只有按值传递, 参数是什么都会复制一份再操作, 就算是对象的引用也会复制一份新的引用,只不过指向的是同一个对象,修改后会影响原对象!!
关于Java中参数的传递机制有些争议(知乎上关于该问题作出的一些回答。https://www.zhihu.com/question/31203609)
总之:不论引用还是基本类型都是个值
这种传参方式叫做按值传递, 传递的东西可以是引用(类似C++的指针)
如果是引用传递像C++传入指针不会再复制一份了,直接拿来用
1. 值传递机制(基本数据类型)
// 值传递机制:仅仅传递的是一个值的副本
class ArrayDemo6
{
public static void change(int x){
System.out.println("change前:" + x);
x = 50;
System.out.println("change后:" + x);
}
public static void main(String[] args)
{
int x = 10;
System.out.println("main前:" + x);
change(x);
System.out.println("main后:" + x);
}
}
---------- 运行java ----------
main前:10
change前:10
change后:50
main后:10
输出完成 (耗时 0 秒) - 正常终止
内存分析
上述代码没有new关键字,不用考虑堆内存。
栈里不使用垃圾回收,调用完就销毁内存。
2.值传递机制(引用数据类型)
引用数据类型的值传递机制不适用基本数据类型,在基本数据类型中没有引用类型这个概念!
//引用传递机制
class ArrayDemo7
{
public static void swap(int[] nums,int firstIndex,int lastIndex){
int temp = nums[lastIndex];
nums[lastIndex] = nums[firstIndex];
nums[firstIndex] = temp;
}
public static void printArray(int[] str){
if (str == null)
{
System.out.println("null");
return;
}
String res = "[";
for (int i = 0 ; i < str.length;i++ )
{
res = res+str[i];
if (i != str.length-1)
{
res = res+",";
}
}
res = res + "]";
System.out.println(res);
}
public static void main(String[] args)
{
int[] nums = new int[]{6,8};
printArray(nums);//原始数组
swap(nums,0,nums.length-1); //交换第0个索引和最后一个索引的元素;
printArray(nums); //已经被操作
}
}
---------- 运行java ----------
[6,8]
[8,6]
输出完成 (耗时 0 秒) - 正常终止
内存分析
本文地址:https://blog.csdn.net/weixin_43519707/article/details/107471101