1

swagger-maven-plugin用来生成 swagger.json。但是,我注意到属性的顺序从运行到运行会发生变化。例如,它可以是:

{
  ...
  "definitions" : {
    "MyClass1" : {
      "type" : "object",
      "properties" : {
        "name" : {
          "type" : "string"
        },
        "title" : {
          "type" : "string"
        },
        "description" : {
          "type" : "string"
        },
      }
    }
  }
  ...
}

然后在下一代之后:

{
  ...
  "definitions" : {
    "MyClass1" : {
      "type" : "object",
      "properties" : {
        "description" : {
          "type" : "string"
        },
        "title" : {
          "type" : "string"
        },
        "name" : {
          "type" : "string"
        }
      }
    }
  }
  ...
}

我的Java课程:

public interface MyClass1 {
   String getName();
   String getTitle();
   String getDescription();
}
4

1 回答 1

1

在 Java Runtime 中不可能知道类中声明的方法的确切顺序。如果您打开java.lang.Class#getDeclaredMethods()(请参阅https://docs.oracle.com/javase/8/docs/api/java/lang/Class.html#getDeclaredMethods--),您将看到The elements in the returned array are not sorted and are not in any particular order..

这就是杰克逊不能为你做这件事的原因。

但是,有两种解决方案:

1.您可以使用@JsonPropertyOrder注释:

@JsonPropertyOrder({"name", "title", "description"})
public interface MyClass1 {
   String getName();
   String getTitle();
   String getDescription();
}

2.您可以使用带字段的类(保留字段顺序)

public class MyClass1 {
   String name;
   String title;
   String description;
   //Getters skipped
}
于 2018-08-13T15:53:48.427 回答