2

我有一个类型为 int、short、byte 或 long 的对象,我需要给它一个新值。这在 Java 中可能吗?如果是的话怎么办?

public static void set(Object obj, int value) throws Exception
{
    Class<?> c = obj.getClass();
    if (c.equals(Integer.class))
    {
        // ???
    }
}
4

3 回答 3

2

整数是不可变的。您不能为Integer实例设置值。

同样,原始类型的其他包装类也是不可变的。

于 2013-04-10T14:57:38.433 回答
1

是的,只要您知道要处理的原始类型。

Class clazz = Class.forName("TheClass");
Field f = clazz.getDeclaredField("ThePrimitiveField");
Object obj;
f.setBoolean(obj, true);

这将改变 obj 的“ThePrimitiveField”字段。如果你不知道类型...

Field f;
Object obj;
try {
    f.setBoolean(obj, true);
} catch (IllegalArgumentException ex) {
    try {
        f.setByte(obj, 16);
    } catch (IllegalArgumentException ex) {
        try {
            f.setChar(obj, 'a');
            // etc
        }
    }
}
于 2013-04-10T14:59:23.547 回答
1

如果您知道类型,请执行以下操作:

public class Main 
{
    public static void main(String[] args) 
        throws NoSuchFieldException, 
               IllegalArgumentException, 
               IllegalAccessException 
    {
        Foo            fooA;
        Foo            fooB;
        final Class<?> clazz;
        final Field    field;

        fooA = new Foo();
        fooB = new Foo();
        clazz = fooA.getClass();
        field = clazz.getDeclaredField("bar");

        System.out.println(fooA.getBar());
        System.out.println(fooB.getBar());
        field.setAccessible(true);  // have to do this since bar is private
        field.set(fooA, 42);
        System.out.println(fooA.getBar());
        System.out.println(fooB.getBar());
    }
}

class Foo
{
    private int bar;

    public int getBar()
    {
        return (bar);
    }
}

如果您不知道类型,您可以执行以下操作:

public class Main 
{
    public static void main(String[] args) 
        throws NoSuchFieldException, 
               IllegalArgumentException, 
               IllegalAccessException 
    {
        Foo            fooA;
        Foo            fooB;
        final Class<?> clazz;
        final Class<?> type;
        final Field    field;

        fooA = new Foo();
        fooB = new Foo();
        clazz = fooA.getClass();
        field = clazz.getDeclaredField("bar");

        System.out.println(fooA.getBar());
        System.out.println(fooB.getBar());
        field.setAccessible(true);  // have to do this since bar is private        
        type = field.getType();

        if(type.equals(int.class))
        {
            field.set(fooA, 42);
        }
        else if(type.equals(byte.class))
        {
            field.set(fooA, (byte)1);
        }
        else if(type.equals(char.class))
        {
            field.set(fooA, 'A');
        }

        System.out.println(fooA.getBar());
        System.out.println(fooB.getBar());
    }
}

class Foo
{
    private char bar;

    public char getBar()
    {
        return (bar);
    }
}

而且,如果您想使用包装类(整数、字符等),您可以添加以下内容:

else if(type.equals(Integer.class))
{
    field.set(fooA, new Integer(43));
}
于 2013-04-10T15:00:07.900 回答