- Java 双重比较
- java - 比较器与 Apache BeanComparator
- Objective-C 完成 block 导致额外的方法调用?
- database - RESTful URI 是否应该公开数据库主键?
我想将对原始类型的引用传递给一个方法,这可能会改变它。
考虑以下示例:
public class Main {
Integer x = new Integer(42);
Integer y = new Integer(42);
public static void main(String[] args) {
Main main = new Main();
System.out.println("x Before increment: " + main.x);
// based on some logic, call increment either on x or y
increment(main.x);
System.out.println("x after increment: " + main.x);
}
private static void increment(Integer int_ref) {
++int_ref;
}
}
运行示例的输出是:
x Before increment: 42
x after increment: 42
这意味着 int_ref 是按值而不是按引用传递给函数的,尽管我的名字很乐观。
显然有很多方法可以解决这个特定示例,但我的实际应用程序要复杂得多,通常人们会认为“指针”或对整数的引用在许多情况下都很有用。
我曾尝试将 Object 传递给函数(然后转换为 int)和各种其他方法,但没有成功。一种似乎有效的解决方法是定义我自己的 Integer 类版本:
private static class IntegerWrapper {
private int value;
IntegerWrapper(int value) { this.value = value; }
void plusplus() { ++value; }
int getValue() { return value; }
}
这样做,并传递对 IntegerWrapper 的引用确实按预期工作,但以我的口味,它似乎很蹩脚。来自 C#,其中装箱变量只是装箱,我希望我只是错过了一些东西。
编辑:
我认为我的问题不是 Is Java "pass-by-reference" or "pass-by-value"? 的重复,因为我的问题不是理论上的,因为我只是寻求解决方案。从哲学上讲,所有语言中的所有方法调用都是按值传递的:它们按值传递实际值或对值的引用。
因此,我将重新表述我的问题:解决在 Java 中我无法传递对 Integer 的引用的问题的通用范例是什么。上面建议的 IntegerWrapper 是已知范例吗?库中是否已经存在类似的类(可能是 MutableInt)?也许长度为 1 的数组是一种常见的做法并且具有一些性能优势?他可以存储对任何类型对象(但基本类型除外)的引用,这让我感到恼火吗?
最佳答案
Integer
是不可变的,您可能会注意到。
您使用 private static class IntegerWrapper
的方法是正确的。使用大小为 1 的数组也是正确的,但实际上我从未见过在这种情况下使用数组。所以一定要使用 IntegerWrapper。
您可以在 Apache org.apache.commons.lang3.mutable.MutableInt
中找到完全相同的实现。
在您的示例中,您还可以向静态方法提供 Main
实例:
public class Main {
private int x = 42;
public static void main(String[] args) {
Main main = new Main();
incrementX(main);
}
private static void incrementX(Main main) {
main.x++;
}
}
最后,从 Java8 开始,您可以定义一个 inc
函数并使用它来增加值:
public class Main {
private static final IntFunction<Integer> INC = val -> val + 1;
private int x = 42;
public static void main(String[] args) {
Main main = new Main();
main.x = INC.apply(main.x);
}
}
关于java - A reference to primitive type in Java (How to force a primitive data to remain boxed),我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/53501878/
我是一名优秀的程序员,十分优秀!