JAVA 函数
1.函数
修饰符 返回值类型 函数名(参数类型 参数名){
...
功能
...
return 返回值;
}
1.1 编写函数
public class Main {
private static int fact(int val) { //阶乘
int res = 1;
for (int i = 1; i <= val; i ++ )
res *= i;
return res;
}
}
1.2 函数调用,形参实参,返回类型
同C++
1.3 变量作用域
静态成员变量和静态成员函数中:
函数内定义的变量为局部变量,只能在函数内部使用。
定义在类中的变量为成员变量,可以在类的所有成员函数中调用。
当局部变量与全局变量重名时,会优先使用局部变量。
2.参数传递
2.1 值传递
八大基本数据类型和 String
类型等采用值传递。
将实参的初始值拷贝给形参。此时,对形参的改动不会影响实参的初始值。
public class Main {
private static void f(int x) {
x = 5;
}
public static void main(String[] args) {
int x = 10;
f(x);
System.out.println(x);
}
}
2.2 引用传递
除 String
以外的数据类型的对象,例如数组、StringBuilder
等(对象)采用引用传递。
将实参的引用(地址)传给形参,通过引用找到变量的真正地址,然后对地址中的值修改。所以此时对形参的修改会影响实参的初始值。
import java.util.Arrays;
public class Main {
private static void f1(int[] a) { //引用传递数组,实现数组反转
for (int i = 0, j = a.length - 1; i < j; i ++, j -- ) {
int t = a[i];
a[i] = a[j];
a[j] = t;
}
}
private static void f2(StringBuilder sb) { //引用传递对象,实现改变对象的值
sb.append("Hello World");
}
public static void main(String[] args) {
int[] a = {1, 2, 3, 4, 5};
f1(a);
System.out.println(Arrays.toString(a)); // [5, 4, 3, 2, 1]
StringBuilder sb = new StringBuilder(""); //Hello World
f2(sb);
System.out.println(sb);
}
}
3. 返回类型和return语句
同C++
4.函数重载
函数重载是指:在同一个类中存在多个函数,函数名称相同但参数列表不同。
编译器会根据实参的类型选择最匹配的函数来执行。
import java.util.Scanner;
public class Main {
private static int max(int a, int b) {
System.out.println("int max");
if (a > b) return a;
return b;
}
private static double max(double a, double b) {
System.out.println("double max");
if (a > b) return a;
return b;
}
public static void main(String[] args) {
// 编译器会根据实参的类型选择最匹配的函数来执行。
System.out.println(max(3, 4));
System.out.println(max(3.0, 4.0));
}
}
5. 函数递归
同C++