代码之家  ›  专栏  ›  技术社区  ›  fred basset

Java:通过引用传递int的最佳方法

  •  76
  • fred basset  · 技术社区  · 14 年前

    我有一个解析函数,它解析字节缓冲区中的编码长度,它将解析后的长度作为int返回,并将索引作为整数arg带入缓冲区。我希望函数根据解析的内容更新索引,也就是说,希望通过引用传递索引。在C中,我只是通过一个 int * . 我目前正在考虑传递索引arg。作为一个 int[] ,但有点难看。

    7 回复  |  直到 14 年前
        1
  •  72
  •   doublep    14 年前

    你可以试着用 org.apache.commons.lang.mutable.MutableInt 来自apachecommons库。在语言本身中没有直接的方法可以做到这一点。

        2
  •  24
  •   mikej heading_to_tahiti    14 年前

    这在Java中是不可能的。正如你所建议的,一种方法是通过考试 int[] . 另一个是有一个小类。 IntHolder int .

        3
  •  20
  •   Yuval Adam    14 年前

    在Java中不能通过引用传递参数。

    MutableInt 是个不错的选择。另一种稍显模糊的方法是使用 int[] int 在单细胞阵列中。

    请注意 java.lang.Integer

        4
  •  18
  •   eebbesen user3132728    10 年前

    你可以用 java.util.concurrent.atomic.AtomicInteger .

        5
  •  14
  •   John Kugelman Michael Hodel    14 年前
        6
  •  9
  •   Anoos Sb    10 年前

    public class Inte{
           public int x=0;
    }
    

    以后可以创建此类的对象:

    Inte inte=new Inte();
    

    那你就可以通过了 inte 作为要传递整数变量的参数:

    public void function(Inte inte) {
    some code
    }
    

    因此,要更新整数值:

    inte.x=value;
    

    Variable=inte.x;
    
        7
  •  8
  •   Raslanove    7 年前

    可以创建一个引用类来包装基元:

    public class Ref<T>
    {
        public T Value;
    
        public Ref(T value)
        {
            Value = value;
        }
    }
    

    然后可以创建以引用作为参数的函数:

    public class Utils
    {
        public static <T> void Swap(Ref<T> t1, Ref<T> t2)
        {
            T temp = t1.Value;
            t1.Value = t2.Value;
            t2.Value = temp;
        }
    }
    

    用法:

    Ref<Integer> x = 2;
    Ref<Integer> y = 9;
    Utils.Swap(x, y);
    
    System.out.println("x is now equal to " + x.Value + " and y is now equal to " + y.Value";
    // Will print: x is now equal to 9 and y is now equal to 2
    

    希望这有帮助。