📅  最后修改于: 2020-03-19 01:29:11             🧑  作者: Mango
如何在Java中交换对象?
假设我们有一个名为“ Car”的类,其中包含一些属性。然后我们创建Car的两个对象,例如car1和car2,如何交换car1和car2的数据?
一个简单的解决方案是交换成员。例如,如果Car类仅具有一个整数属性,例如“ no”(汽车编号),则可以通过简单地交换两辆汽车的成员来交换汽车。
/ Java展示我们可以通过交换成员来交换实例
class Car
{
int no;
Car(int no) { this.no = no; }
}
// 使用car实例的类
class Main
{
// 交换c1和c2
public static void swap(Car c1, Car c2)
{
int temp = c1.no;
c1.no = c2.no;
c2.no = temp;
}
// 测试代码
public static void main(String[] args)
{
Car c1 = new Car(1);
Car c2 = new Car(2);
swap(c1, c2);
System.out.println("c1.no = " + c1.no);
System.out.println("c2.no = " + c2.no);
}
}
输出:
c1.no = 2
c2.no = 1
如果我们无法得知Car的会员怎么办?
由于我们知道Car中只有一个成员“ no”,因此上述解决方案有效。如果我们不知道Car的成员或成员列表太大,该怎么办。Ť 他是一个很常见的情况,以下解决方案有效吗?
// Java程序展示仅交换实例的引用不会起作用
// car拥有number和name
class Car
{
int model, no;
// Constructor
Car(int model, int no)
{
this.model = model;
this.no = no;
}
// 打印Car
void print()
{
System.out.println("no = " + no +
", model = " + model);
}
}
// 使用car的类
class Main
{
// swap()不会交换c1和c2
public static void swap(Car c1, Car c2)
{
Car temp = c1;
c1 = c2;
c2 = temp;
}
// 测试代码
public static void main(String[] args)
{
Car c1 = new Car(101, 1);
Car c2 = new Car(202, 2);
swap(c1, c2);
c1.print();
c2.print();
}
}
输出:
no = 1, model = 101
no = 2, model = 202
从上面的输出中可以看到,对象没有交换。参数是在Java中按值传递的。因此,当我们将c1和c2传递给swap()时,函数swap()将创建这些引用的副本。
解决方案是使用Wrapper类。如果我们创建一个包含Car引用的包装器Wrapper类,则可以通过交换包装器Wrapper类的引用来交换汽车。
// Java代码,展示使用包装器Wrapper类交换两个实例
// car拥有model和no.
class Car
{
int model, no;
// 构造器
Car(int model, int no)
{
this.model = model;
this.no = no;
}
// 打印car信息
void print()
{
System.out.println("no = " + no +
", model = " + model);
}
}
// 一个Wrapper类,用来交换实例
class CarWrapper
{
Car c;
// 构造器
CarWrapper(Car c) {this.c = c;}
}
// 一个使用Car和CarWrapper的类
class Main
{
// 这个方法将交换cw1和cw2
public static void swap(CarWrapper cw1,
CarWrapper cw2)
{
Car temp = cw1.c;
cw1.c = cw2.c;
cw2.c = temp;
}
// 测试代码
public static void main(String[] args)
{
Car c1 = new Car(101, 1);
Car c2 = new Car(202, 2);
CarWrapper cw1 = new CarWrapper(c1);
CarWrapper cw2 = new CarWrapper(c2);
swap(cw1, cw2);
cw1.c.print();
cw2.c.print();
}
}
输出:
no = 2, model = 202
no = 1, model = 101
因此,即使用户类无权访问要交换对象的类的成员,包装器类解决方案也可以使用。