如何防止Spring MVC在Sping Boot 中转换为Collection时解释逗号?

b4wnujal  于 2024-01-05  发布在  Spring
关注(0)|答案(3)|浏览(256)

我们基本上有与this question相同的问题,但对于列表和其他问题,我们正在寻找一个全局解决方案。
目前我们有一个REST调用,它是这样定义的:

  1. @RequestMapping
  2. @ResponseBody
  3. public Object listProducts(@RequestParam(value = "attributes", required = false) List<String> attributes) {

字符串
调用工作正常,列表属性将包含两个元素“test1:12,3”和“test1:test2”,当这样调用时:

  1. product/list?attributes=test1:12,3&attributes=test1:test2


但是,列表属性也将包含两个元素,“test1:12”和“3”,调用时如下:

  1. product/list?attributes=test1:12,3


原因是,在第一种情况下,Spring将在第一种情况下使用ArrayToCollectionConverter。在第二种情况下,它将使用StringToCollectionConverter,它将使用“,”作为分隔符分割参数。
如何配置Sping Boot 以忽略参数中的逗号?如果可能的话,解决方案应该是全局的。

我们尝试了什么:

This question对我们不起作用,因为我们有一个List而不是数组。此外,这将是一个本地的解决方案。
我也试着添加了这个配置:

  1. @Bean(name="conversionService")
  2. public ConversionService getConversionService() {
  3. ConversionServiceFactoryBean bean = new ConversionServiceFactoryBean();
  4. bean.setConverters(Collections.singleton(new CustomStringToCollectionConverter()));
  5. bean.afterPropertiesSet();
  6. return bean.getObject();
  7. }


其中CustomStringToCollectionConverter是Spring StringToCollectionConverter的副本,但是没有拆分,Spring转换器仍然优先调用。
凭直觉,我还尝试将“mvcConversionService”作为bean名称,但这也没有改变任何东西。

vawmfj5a

vawmfj5a1#

您可以删除StringToCollectionConverter,并在WebMvcConfigurerAdapter.addFormatters(WebMvcConfigurerRegistry注册表)方法中将其替换为您自己的方法:
就像这样:

  1. @Configuration
  2. public class MyWebMvcConfig extends WebMvcConfigurerAdapter {
  3. @Override
  4. public void addFormatters(FormatterRegistry registry) {
  5. registry.removeConvertible(String.class,Collection.class);
  6. registry.addConverter(String.class,Collection.class,myConverter);
  7. }
  8. }

字符串

vpfxa7rd

vpfxa7rd2#

这是一个简短的版本,感谢@Strelok

  1. import java.util.Collection;
  2. import java.util.Collections;
  3. import org.springframework.context.annotation.Configuration;
  4. import org.springframework.format.FormatterRegistry;
  5. import org.springframework.web.servlet.config.annotation.WebMvcConfigurerAdapter;
  6. @Configuration
  7. class WebMvcConfig extends WebMvcConfigurerAdapter {
  8. @Override
  9. public void addFormatters(FormatterRegistry registry) {
  10. registry.removeConvertible(String.class, Collection.class);
  11. registry.addConverter(String.class, Collection.class, Collections::singletonList);
  12. }
  13. }

字符串

展开查看全部
mo49yndu

mo49yndu3#

我设法解决了这个问题,通过应用以下:how-to-prevent-parameter-binding-from-interpreting-commas-in-spring-3-0-5
这个技巧是由下面的代码行完成的

  1. @InitBinder
  2. public void initBinder(WebDataBinder binder) {
  3. binder.registerCustomEditor(String[].class, new StringArrayPropertyEditor(null));
  4. }

字符串
更多信息:为什么转义逗号是@RequestParam列表的逗号?

相关问题