При выполнении @PutMapping, как данные добавляются без инициализации?

#spring-boot #vue.js

Вопрос:

Когда я обновляю vue, я разработал базу данных с отношением 1:n, чтобы у участника могло быть несколько продуктов. Но когда вы обновляете, то, что было раньше, исчезает, и остаются только одни новые данные. Я хочу, чтобы участники могли иметь несколько продуктов.

—пружинный ботинок (контроллер)

 @PutMapping(value = "/productSetting/{id}")
public ResponseEntity<User> updateUserProduct(@PathVariable("id") long id, @RequestBody Map<String, Object> data) {
    Optional<User> userData = userRepository.findById(id);
    Optional<ProductInfo> productInfo = productInfoRepository.findById(Long.parseLong(String.valueOf(data.get("id"))));

    ProductInfo realProductInfo = productInfo.get();
    if (userData.isPresent()) {
        User _user = userData.get();
        Set<ProductInfo> set = new HashSet<ProductInfo>();
        set.add(realProductInfo);
        _user.setProductInfo(set);

        return new ResponseEntity<>(userRepository.save(_user), HttpStatus.OK);
    } else {
        return new ResponseEntity<>(HttpStatus.NOT_FOUND);
    }
}
 

—vue.js (сценарий)

 updateUserProduct() {
  var data = {
    id:this.currentUser.id,
    productInfo: this.currentProductInfo,

  };
  ProductSettingDataService.update(this.currentUser.id, {id: this.currentProductInfo.id})
    .then(response => {
      this.currentUser = response.data;
      console.log(this.currentUser);
      console.log(status);
      this.message = 'update Success';
    })
    .catch(e => {
      console.log(e);
    });
},
 

Я думаю, что это проблема с контроллером, можете ли вы получить помощь в какой части проблемы?

Ответ №1:

     Set<ProductInfo> set = new HashSet<ProductInfo>();
    set.add(realProductInfo);
    _user.setProductInfo(set); -- the problem is here
 

Вы используете отношение «один ко многим», и когда _user.setProductionInfo(Collection) вы обновляете все отношение-все записи в коллекции вставляютсяобновляются, и все старые записи, которые принадлежали пользователю раньше и отсутствовали в коллекции, удаляются.

Чтобы заставить его работать так, как ожидалось, используя отношение «один ко многим»:

 _user.getProductInfo().add(realProductInfo); // to Insert

_user.getProductInfo()   // to Update
.stream()
.filter(pi -> Objects.equals(pi.getId(), data.get("id"))
.findFirst()
.ifPresent(pi -> //update ProductInfo consumer);

userRepository.save(_user);
 

Но почему бы вам не рассмотреть возможность обновления сущности ProductInfo вместо пользователя?

 productInfoRepository.findByIdAndUserId(productInfoId, userId)
 .map(//set fields UnaryOpertor)
 .map(productInfoRepository::save)
 .map(ProductInfo::getUser) // You may need to select user from repo, depends on entities
 .map(ResponseEntity::ok)
 .orElseGet(() -> ResponseEntity.notFound().build());
 

Комментарии:

1. Имейте в виду, что мои фрагменты могут вызвать исключение stackoverflow в случае, если вы используете двунаправленные сопоставления.

2. Когда я его подправил, он работает так, как я хотел. Спасибо вам за вашу большую помощь 🙂