我有一个DTO
:
public class UserDto {
private Long id;
private String name;
}
和Controller
:
@RestController
@RequestMapping("user")
public Class UserController {
@PostMapping(value = "{id}")
public String update(@PathVariable String id, @RequestBody UserDto userDto){
userDto.setId(id);
service.update(userDto);
}
}
我不喜欢手动将ID
从@PathVariable
放到DTO
:userDto.setId(id);
。
对于正文为/user/5
的POST请求{ name: "test" }
,我该如何在ID
中自动设置DTO
,以便像下面这样获得DTO
?
{
id: 5,
name: "test"
}
基本上,我想要类似的东西:
@RestController
@RequestMapping("user")
public Class UserController {
@PostMapping(value = "{id}")
public String update(@RequestBody UserDto userDto){
service.update(userDto);
}
}
有没有办法做到这一点?
谢谢! :)
答案 0 :(得分:1)
该端点似乎正在执行更新操作,所以让我们往后退两步。
PUT
请求用于更新单个资源,最好的做法是创建{(1)}资源(至少是顶层资源)而不是POST
。相反,PUT
请求用于更新单个资源的一部分,即,仅应替换资源字段的特定子集。
在PATCH
请求中,主要资源ID作为URL路径段传递,并且相关的资源被替换为有效负载中传递的表示形式(如果成功)。
对于有效负载,您可以提取另一个模型域类,其中包含PUT
的所有字段,但ID除外。
因此,我建议采用以下方式设计您的控制器:
UserDto
答案 1 :(得分:1)
我刚刚通过使用 AspectJ 完成了这项工作。只需复制粘贴这个类到您的项目中。 Spring 应该会自动拾取它。
能力:
非常小的警告:
WebDataBinder
都不适用于这种情况。我还没想好怎么捡起来。这就是我创建 coerceValue()
方法的原因,该方法将字符串从您的路径转换为您在 DTO 上声明的所需数据类型。import org.aspectj.lang.ProceedingJoinPoint;
import org.aspectj.lang.annotation.Around;
import org.aspectj.lang.annotation.Aspect;
import org.aspectj.lang.reflect.MethodSignature;
import org.springframework.core.MethodParameter;
import org.springframework.stereotype.Component;
import org.springframework.validation.BeanPropertyBindingResult;
import org.springframework.validation.beanvalidation.SpringValidatorAdapter;
import org.springframework.web.bind.MethodArgumentNotValidException;
import org.springframework.web.bind.annotation.*;
import javax.servlet.http.HttpServletRequest;
import javax.validation.Validator;
import java.lang.annotation.Annotation;
import java.lang.reflect.Field;
import java.lang.reflect.Method;
import java.util.*;
import java.util.stream.Collectors;
/**
* This class extracts values from the following places:
* - {@link PathVariable}s from the controller request path
* - {@link PathVariable}s from the method request path
* - HTTP headers
* and attempts to set those values onto controller method arguments.
* It also performs validation
*/
@Aspect
@Component
public class RequestDtoMapper {
private final HttpServletRequest request;
private final Validator validator;
public RequestDtoMapper(HttpServletRequest request, Validator validator) {
this.request = request;
this.validator = validator;
}
@Around("execution(public * *(..)) && (@annotation(org.springframework.web.bind.annotation.PostMapping) || @annotation(org.springframework.web.bind.annotation.PutMapping) || @annotation(org.springframework.web.bind.annotation.PatchMapping) || @annotation(org.springframework.web.bind.annotation.DeleteMapping) || @annotation(org.springframework.web.bind.annotation.GetMapping))")
public Object process(ProceedingJoinPoint call) throws Throwable {
MethodSignature signature = (MethodSignature) call.getSignature();
Method method = signature.getMethod();
// Extract path from controller annotation
Annotation requestMappingAnnotation = Arrays.stream(call.getTarget().getClass().getDeclaredAnnotations())
.filter(ann -> ann.annotationType() == RequestMapping.class)
.findFirst()
.orElseThrow();
String controllerPath = ((RequestMapping) requestMappingAnnotation).value()[0];
// Extract path from method annotation
List<Class<?>> classes = Arrays.asList(PostMapping.class, PutMapping.class, PatchMapping.class, DeleteMapping.class, GetMapping.class);
Annotation methodMappingAnnotation = Arrays.stream(method.getDeclaredAnnotations())
.filter(ann -> classes.contains(ann.annotationType()))
.findFirst()
.orElseThrow();
String methodPath = methodMappingAnnotation.annotationType().equals(PostMapping.class)
? ((PostMapping) methodMappingAnnotation).value()[0]
: methodMappingAnnotation.annotationType().equals(PutMapping.class)
? ((PutMapping) methodMappingAnnotation).value()[0]
: methodMappingAnnotation.annotationType().equals(PatchMapping.class)
? ((PatchMapping) methodMappingAnnotation).value()[0]
: methodMappingAnnotation.annotationType().equals(DeleteMapping.class)
? ((DeleteMapping) methodMappingAnnotation).value()[0]
: methodMappingAnnotation.annotationType().equals(GetMapping.class)
? ((GetMapping) methodMappingAnnotation).value()[0]
: null;
// Extract parameters from request URI
Map<String, String> paramsMap = extractParamsMapFromUri(controllerPath + "/" + methodPath);
// Add HTTP headers to params map
Map<String, String> headers =
Collections.list(request.getHeaderNames())
.stream()
.collect(Collectors.toMap(h -> h, request::getHeader));
paramsMap.putAll(headers);
// Set properties onto request object
List<Class<?>> requestBodyClasses = Arrays.asList(PostMapping.class, PutMapping.class, PatchMapping.class, DeleteMapping.class);
Arrays.stream(call.getArgs()).filter(arg ->
(requestBodyClasses.contains(methodMappingAnnotation.annotationType()) && arg.getClass().isAnnotationPresent(RequestBody.class))
|| methodMappingAnnotation.annotationType().equals(GetMapping.class))
.forEach(methodArg -> getMapOfClassesToFields(methodArg.getClass())
.forEach((key, value1) -> value1.stream().filter(field -> paramsMap.containsKey(field.getName())).forEach(field -> {
field.setAccessible(true);
try {
String value = paramsMap.get(field.getName());
Object valueCoerced = coerceValue(field.getType(), value);
field.set(methodArg, valueCoerced);
} catch (Exception e) {
throw new RuntimeException(e);
}
})));
// Perform validation
for (int i = 0; i < call.getArgs().length; i++) {
Object arg = call.getArgs();
BeanPropertyBindingResult result = new BeanPropertyBindingResult(arg, arg.getClass().getName());
SpringValidatorAdapter adapter = new SpringValidatorAdapter(this.validator);
adapter.validate(arg, result);
if (result.hasErrors()) {
MethodParameter methodParameter = new MethodParameter(method, i);
throw new MethodArgumentNotValidException(methodParameter, result);
}
}
// Execute remainder of method
return call.proceed();
}
private Map<String, String> extractParamsMapFromUri(String path) {
List<String> paramNames = Arrays.stream(path.split("/"))
.collect(Collectors.toList());
Map<String, String> result = new HashMap<>();
List<String> pathValues = Arrays.asList(request.getRequestURI().split("/"));
for (int i = 0; i < paramNames.size(); i++) {
String seg = paramNames.get(i);
if (seg.startsWith("{") && seg.endsWith("}")) {
result.put(seg.substring(1, seg.length() - 1), pathValues.get(i));
}
}
return result;
}
/**
* Convert provided String value to provided class so that it can ultimately be set onto the request DTO property.
* Ideally it would be better to hook into any registered WebDataBinders however we are manually casting here.
* Add your own conditions as required
*/
private Object coerceValue(Class<?> valueType, String value) {
if (valueType == Integer.class || valueType == int.class) {
return Integer.parseInt(value);
} else if (valueType == Boolean.class || valueType == boolean.class) {
return Integer.parseInt(value);
} else if (valueType == UUID.class) {
return UUID.fromString(value);
} else if (valueType != String.class) {
throw new RuntimeException(String.format("Cannot convert '%s' to type of '%s'. Add another condition to `%s.coerceValue()` to resolve this error", value, valueType, RequestDtoMapper.class.getSimpleName()));
}
return value;
}
/**
* Recurse up the class hierarchy and gather a map of classes to fields
*/
private Map<Class<?>, List<Field>> getMapOfClassesToFields(Class<?> t) {
Map<Class<?>, List<Field>> fields = new HashMap<>();
Class<?> clazz = t;
while (clazz != Object.class) {
if (!fields.containsKey(clazz)) {
fields.put(clazz, new ArrayList<>());
}
fields.get(clazz).addAll(Arrays.asList(clazz.getDeclaredFields()));
clazz = clazz.getSuperclass();
}
return fields;
}
}