1 回答
TA贡献1887条经验 获得超5个赞
如果您想手动执行映射(特别适合不同的对象)
您可以查看不同对象映射属性映射的文档,
您可以通过使用方法引用来匹配源 getter 和目标 setter 来定义属性映射。
typeMap.addMapping(Source::getFirstName, Destination::setName);
源类型和目标类型不需要匹配。
typeMap.addMapping(Source::getAge, Destination::setAgeString);
如果您不想逐个字段进行映射以避免样板代码
您可以配置跳过映射器,以避免将某些字段映射到目标模型:
modelMapper.addMappings(mapper -> mapper.skip(Entity::setId));
我已经为您的案例创建了一个测试,映射适用于双方,无需配置任何内容:
import lombok.AllArgsConstructor;
import lombok.Data;
import lombok.NoArgsConstructor;
import org.junit.Before;
import org.junit.Test;
import org.modelmapper.ModelMapper;
import static junit.framework.TestCase.assertEquals;
import static junit.framework.TestCase.assertNotNull;
public class ModelMapperTest {
private ModelMapper modelMapper;
@Before
public void beforeTest() {
this.modelMapper = new ModelMapper();
}
@Test
public void fromSourceToDestination() {
Source source = new Source(1L, "Hello");
Destination destination = modelMapper.map(source, Destination.class);
assertNotNull(destination);
assertEquals("Hello", destination.getName());
}
@Test
public void fromDestinationToSource() {
Destination destination = new Destination("olleH");
Source source = modelMapper.map(destination, Source.class);
assertNotNull(source);
assertEquals("olleH", destination.getName());
}
}
@Data
@NoArgsConstructor
@AllArgsConstructor
class Source {
private Long id;
private String name;
}
@Data
@NoArgsConstructor
@AllArgsConstructor
class Destination {
private String name;
}
添加回答
举报