Spring MVC에서는 직렬화 시 Java 객체의 특정 필드를 동적으로 무시해야 하는 시나리오가 발생할 수 있습니다. JSON으로 저장하세요. 이는 특정 클라이언트 또는 엔드포인트에 대한 민감하거나 관련 없는 데이터가 포함된 객체를 처리할 때 특히 유용합니다.
Hibernate의 @Entity 주석이 달린 다음 Java 모델 클래스를 고려하세요.
<code class="java">@Entity @Table(name = "user", catalog = "userdb") @JsonIgnoreProperties(ignoreUnknown = true) public class User implements java.io.Serializable { // ... Class definition omitted for brevity }</code>
Spring MVC에서 컨트롤러의 경우 데이터베이스에서 User 개체를 검색하고 이를 JSON 응답으로 반환합니다.
<code class="java">@Controller public class UserController { @Autowired private UserService userService; @RequestMapping(value = "/getUser/{userId}", method = RequestMethod.GET) @ResponseBody public User getUser(@PathVariable Integer userId) throws Exception { User user = userService.get(userId); user.setCreatedBy(null); user.setUpdatedBy(null); return user; } }</code>
기본적으로 User 개체의 JSON 표현에는 모든 필드가 포함됩니다. 그러나 특정 응답에서 암호화된Pwd,createdBy,updateBy와 같은 민감한 필드를 제외할 수 있습니다.
이를 달성하는 한 가지 접근 방식은 객체를 반환하기 전에 원하지 않는 필드를 수동으로 null로 설정하는 것입니다. 그러나 이 방법은 오류가 발생하기 쉽고 비효율적일 수 있습니다.
더 우아한 해결책은 @JsonIgnoreProperties 주석을 사용하는 것입니다. 주석 내에서 해당 속성 이름을 사용하여 무시하도록 필드를 지정할 수 있습니다.
<code class="java">@Entity @Table(name = "user", catalog = "userdb") @JsonIgnoreProperties(ignoreUnknown = true, value = {"encryptedPwd", "createdBy", "updatedBy"}) public class User implements java.io.Serializable { // ... Class definition omitted for brevity }</code>
이 주석을 사용하면 암호화된Pwd,createdBy 및updateBy 필드가 JSON 표현에서 제외됩니다.
또는 개별 필드에 @JsonIgnore 주석을 사용할 수 있습니다.
<code class="java">@Entity @Table(name = "user", catalog = "userdb") @JsonIgnoreProperties(ignoreUnknown = true) public class User implements java.io.Serializable { @JsonIgnore private String encryptedPwd; private String createdBy; // ... Class definition omitted for brevity }</code>
encryptedPwd 필드에 @JsonIgnore 주석을 추가하면 이를 JSON 응답에서 명시적으로 제외할 수 있습니다.
Github 예 : [JsonIgnore 예](https://github.com/java089/spring-mvc-exclude-fields-json)
위 내용은 Spring MVC JSON 응답에서 필드를 동적으로 무시하는 방법은 무엇입니까?의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!