web-dev-qa-db-ja.com

JSONObjectの累積と配置の違いは何ですか?

私はJSONに手を出していますが、ドキュメント(Java)では、JSONObjectのput()とaccumulate()がほぼ同じことをしていることがわかりますか?

それはどういうことですか?

10
Chintan Shah

Java JSONObjectのソースコードを確認しました。accumulateとputの違いは、accumulate(String key、Object Value)の場合、「key」に値が存在する場合、オブジェクトがチェックされることです。配列である場合、それが配列である場合は「値」が配列に追加され、そうでない場合はこのキーの配列が作成されます。

ただし、キーが存在する場合、その値は値に置き換えられます-「値」

これがJSONObjectaccumulate(String key、Object Value)のソースです

/**
 * Appends {@code value} to the array already mapped to {@code name}. If
 * this object has no mapping for {@code name}, this inserts a new mapping.
 * If the mapping exists but its value is not an array, the existing
 * and new values are inserted in order into a new array which is itself
 * mapped to {@code name}. In aggregate, this allows values to be added to a
 * mapping one at a time.
 *
 * <p> Note that {@code append(String, Object)} provides better semantics.
 * In particular, the mapping for {@code name} will <b>always</b> be a
 * {@link JSONArray}. Using {@code accumulate} will result in either a
 * {@link JSONArray} or a mapping whose type is the type of {@code value}
 * depending on the number of calls to it.
 *
 * @param value a {@link JSONObject}, {@link JSONArray}, String, Boolean,
 *     Integer, Long, Double, {@link #NULL} or null. May not be {@link
 *     Double#isNaN() NaNs} or {@link Double#isInfinite() infinities}.
 */

  public JSONObject accumulate(String name, Object value) throws JSONException {
    Object current = nameValuePairs.get(checkName(name));
    if (current == null) {
        return put(name, value);
    }

    if (current instanceof JSONArray) {
        JSONArray array = (JSONArray) current;
        array.checkedPut(value);
    } else {
        JSONArray array = new JSONArray();
        array.checkedPut(current);
        array.checkedPut(value);
        nameValuePairs.put(name, array);
    }
    return this;
}

そして、これがJSONObject put(String key、Object value)のコードです。

 /**
 * Maps {@code name} to {@code value}, clobbering any existing name/value
 * mapping with the same name.
 *
 * @return this object.
 */
public JSONObject put(String name, boolean value) throws JSONException {
    nameValuePairs.put(checkName(name), value);
    return this;
}
22
Chintan Shah