1

我正在开发一个客户数据加载器,客户可以有多个地址。如果找不到客户,我创建它并添加地址。如果客户存在,我只需添加新地址,如下所示:

    DBObject findCustomer = new BasicDBObject();
    findCustomer.put("email", custEmail);

    //check for existing customer
    DBObject newCustomer = customerCollection.findOne(findCustomer);

    if (newCustomer == null) {
        //INSERT    
        newCustomer = new BasicDBObject();
        newCustomer.put("firstname", firstname);
        newCustomer.put("lastname", lastname);
        newCustomer.put("email", custEmail);
        newCustomer.put("password", custData.getPassword());
        newCustomer.put("softwaretime", new Date());
    }

    DBObject newAddress = new BasicDBObject();
    City tempCity = new City();
    tempCity = addressData.getCity();

    newAddress.put("type", addressData.getType());
    newAddress.put("line1", addressData.getLine1());
    newAddress.put("line2", addressData.getLine2());
    newAddress.put("city", tempCity.getCity());
    newAddress.put("state", tempCity.getState());
    newAddress.put("postal", tempCity.getZip());
    newAddress.put("country", tempCity.getCountry());

    newCustomer.put("address", newAddress);

    customerCollection.save(newCustomer);

这适用于新客户。问题是当客户已经存在时,新地址会覆盖现有地址。

如何将新地址添加给客户,以便保留多个地址?

根据我的发现,我应该能够通过外壳“推送”来完成此操作。但我不认为“推”是 BasicDBObject 上的方法。

4

2 回答 2

2

您希望地址是地址列表而不是单个地址文档。因此,对于您希望拥有的新客户:

newCustomer.put("地址", [newAddress])
customerCollection.save(新客户)

对于您想要的现有客户

customerCollection.update(newCustomer, {$push: {"addresses": newAddress}})

抱歉,我不知道 java API,所以你必须修改上面的代码来创建适当的对象

于 2012-05-06T15:16:23.310 回答
1

事实证明,您的逻辑可以简单得多。您不需要通过“电子邮件”获取客户(我假设这是您唯一的客户识别密钥)只需更新即可。

findCustomer.put("email", custEmail); // search query for the customer email

// construct your newAddress object the same way you already are

BasicDBObject custMod = new BasicDBObject();
custMod.put("$addToSet", newAddress);
customerCollection.update(findCustomer, custMod, true /* upsert */, false /* multi */ );

你现在拥有逻辑的方式的大问题是它不能在多线程中工作。您可以检查客户,它不会在那里。当您构造对象以插入它时,另一个线程已经在执行此操作。由于地址对象是一个数组而不是单个字段,如果它存在,使用 $addToSet 将添加到数组中,但如果它正在创建一个新客户,那么它会将地址创建为一个数组。

于 2012-05-08T16:42:34.350 回答