2

我想知道如何使用 Dozer 在 Java 中将一种类型的列表转换为另一种类型的数组。这两种类型具有所有相同的属性名称/类型。例如,考虑这两个类。

public class A{
    private String test = null;

    public String getTest(){
      return this.test
    }

    public void setTest(String test){
      this.test = test;
    }
}

public class B{
    private String test = null;

    public String getTest(){
      return this.test
    }

    public void setTest(String test){
      this.test = test;
    }
}

我试过这个没有运气。

List<A> listOfA = getListofAObjects();
Mapper mapper = DozerBeanMapperSingletonWrapper.getInstance();
B[] bs = mapper.map(listOfA, B[].class);

我也尝试过使用 CollectionUtils 类。

CollectionUtils.convertListToArray(listOfA, B.class)

两者都不为我工作,谁能告诉我我做错了什么?如果我创建两个包装类,一个包含 List,另一个包含 ab[],则 mapper.map 函数可以正常工作。见下文:

public class C{
    private List<A> items = null;

    public List<A> getItems(){
      return this.items;
    }

    public void setItems(List<A> items){
      this.items = items;
    }
}

public class D{
    private B[] items = null;

    public B[] getItems(){
      return this.items;
    }

    public void setItems(B[] items){
      this.items = items;
    }
}

这很奇怪......

List<A> listOfA = getListofAObjects();
C c = new C();
c.setItems(listOfA);
Mapper mapper = DozerBeanMapperSingletonWrapper.getInstance();
D d = mapper.map(c, D.class);
B[] bs = d.getItems();

在不使用包装类 (C & D) 的情况下如何做我想做的事情?必须有一个更简单的方法......谢谢!

4

3 回答 3

3

在开始迭代之前,您知道 listOfA 中有多少项。为什么不实例化 new B[listOfA.size()] 然后遍历 A,将新的 B 实例直接放入数组中。您将为 listOfB 中的所有项目节省额外的迭代,并且代码实际上更易于阅读以启动。

Mapper mapper = DozerBeanMapperSingletonWrapper.getInstance();

List<A> listOfA = getListofAObjects();
B[] arrayOfB = new B[listOfA.size()];

int i = 0;
for (A a : listOfA) {
    arrayOfB[i++] = mapper.map(a, B.class);
}
于 2010-06-21T10:47:11.910 回答
1

好吧,所以我是个白痴。我已经习惯了 Dozer 为我做所有的工作......我需要做的就是遍历 A 的列表并创建 B 的列表,然后将该列表转换为 B 的数组。

Mapper mapper = DozerBeanMapperSingletonWrapper.getInstance();
List<A> listOfA = getListofAObjects();
Iterator<A> iter = listOfA.iterator();
List<B> listOfB = new ArrayList<B>();
while(iter.hasNext()){
   listOfB.add(mapper.map(iter.next(), B.class));
}
B[] bs = listOfB.toArray(new B[listOfB.size()]);

问题解决了!

于 2010-06-18T02:36:38.793 回答
0

如果我可以编写下面的代码并且它可以工作,那将更有意义

List<A> listOfA = getListofAObjects();
Mapper mapper = DozerBeanMapperSingletonWrapper.getInstance();
B[] bs = mapper.map(listOfA, B[].class);
于 2011-05-06T11:27:37.330 回答