Swiftの配列は、ある配列の内容を別の配列に追加するための+ =演算子をサポートしています。辞書でそれをする簡単な方法はありますか?
例えば:
var dict1 = ["a" : "foo"]
var dict2 = ["b" : "bar"]
var combinedDict = ... (some way of combining dict1 & dict2 without looping)
Dictionary
に対して+=
演算子を定義することができます。例えば、
func += <K, V> (left: inout [K:V], right: [K:V]) {
for (k, v) in right {
left[k] = v
}
}
どうですか?
dict2.forEach { (k,v) in dict1[k] = v }
これでdict2のすべてのキーと値がdict1に追加されます。
Swift 4では、 merging(_:uniquingKeysWith:)
を使うべきです。
let dictA = ["x" : 1, "y": 2, "z": 3]
let dictB = ["x" : 11, "y": 22, "w": 0]
let resultA = dictA.merging(dictB, uniquingKeysWith: { (first, _) in first })
let resultB = dictA.merging(dictB, uniquingKeysWith: { (_, last) in last })
print(resultA) // ["x": 1, "y": 2, "z": 3, "w": 0]
print(resultB) // ["x": 11, "y": 22, "z": 3, "w": 0]
現在、辞書の Swift Standard Library Reference を見ると、他の辞書で簡単に辞書を更新する方法はありません。
あなたはそれを行うための拡張子を書くことができます
var dict1 = ["a" : "foo"]
var dict2 = ["b" : "bar"]
extension Dictionary {
mutating func update(other:Dictionary) {
for (key,value) in other {
self.updateValue(value, forKey:key)
}
}
}
dict1.update(dict2)
// dict1 is now ["a" : "foo", "b" : "bar]
Swift 4は merging(_:uniquingKeysWith:)
を提供しています。
let combinedDict = dict1.merging(dict2) { $1 }
省略形のクロージャは$1
を返すので、dict2の値はキーと衝突があるときに使われます。
Swiftライブラリには組み込まれていませんが、演算子をオーバーロードすることで必要なものを追加できます。
func + <K,V>(left: Dictionary<K,V>, right: Dictionary<K,V>)
-> Dictionary<K,V>
{
var map = Dictionary<K,V>()
for (k, v) in left {
map[k] = v
}
for (k, v) in right {
map[k] = v
}
return map
}
これは辞書の+
演算子をオーバーロードします。これは+
演算子を使って辞書を追加するのに使用できます。
var dict1 = ["a" : "foo"]
var dict2 = ["b" : "bar"]
var dict3 = dict1 + dict2 // ["a": "foo", "b": "bar"]
スイフト3:
extension Dictionary {
mutating func merge(with dictionary: Dictionary) {
dictionary.forEach { updateValue($1, forKey: $0) }
}
func merged(with dictionary: Dictionary) -> Dictionary {
var dict = self
dict.merge(with: dictionary)
return dict
}
}
let a = ["a":"b"]
let b = ["1":"2"]
let c = a.merged(with: b)
print(c) //["a": "b", "1": "2"]
スウィフト2.0
extension Dictionary {
mutating func unionInPlace(dictionary: Dictionary) {
dictionary.forEach { self.updateValue($1, forKey: $0) }
}
func union(var dictionary: Dictionary) -> Dictionary {
dictionary.unionInPlace(self)
return dictionary
}
}
不変辞書を+
演算子と結合/結合するのが好きなので、次のように実装しました。
// Swift 2
func + <K,V> (left: Dictionary<K,V>, right: Dictionary<K,V>?) -> Dictionary<K,V> {
guard let right = right else { return left }
return left.reduce(right) {
var new = $0 as [K:V]
new.updateValue($1.1, forKey: $1.0)
return new
}
}
let moreAttributes: [String:AnyObject] = ["Function":"authenticate"]
let attributes: [String:AnyObject] = ["File":"Auth.Swift"]
attributes + moreAttributes + nil //["Function": "authenticate", "File": "Auth.Swift"]
attributes + moreAttributes //["Function": "authenticate", "File": "Auth.Swift"]
attributes + nil //["File": "Auth.Swift"]
// Swift 2
func += <K,V> (inout left: Dictionary<K,V>, right: Dictionary<K,V>?) {
guard let right = right else { return }
right.forEach { key, value in
left.updateValue(value, forKey: key)
}
}
let moreAttributes: [String:AnyObject] = ["Function":"authenticate"]
var attributes: [String:AnyObject] = ["File":"Auth.Swift"]
attributes += nil //["File": "Auth.Swift"]
attributes += moreAttributes //["File": "Auth.Swift", "Function": "authenticate"]
辞書の拡張子はもう必要ありません。 Swift(Xcode 9.0+)辞書はこれのための機能を持っています。ご覧ください こちら 。以下は使い方の例です。
var oldDictionary = ["a": 1, "b": 2]
var newDictionary = ["a": 10000, "b": 10000, "c": 4]
oldDictionary.merge(newDictionary) { (oldValue, newValue) -> Int in
// This closure return what value to consider if repeated keys are found
return newValue
}
print(oldDictionary) // Prints ["b": 10000, "a": 10000, "c": 4]
拡張子を使ったもっと読みやすい変種。
extension Dictionary {
func merge(dict: Dictionary<Key,Value>) -> Dictionary<Key,Value> {
var mutableCopy = self
for (key, value) in dict {
// If both dictionaries have a value for same key, the value of the other dictionary is used.
mutableCopy[key] = value
}
return mutableCopy
}
}
あなたはこれを試すことができます
var dict1 = ["a" : "foo"]
var dict2 = ["b" : "bar"]
var temp = NSMutableDictionary(dictionary: dict1);
temp.addEntriesFromDictionary(dict2)
それらをマージするためにreduceを使うこともできます。遊び場でこれを試してください
let d1 = ["a":"foo","b":"bar"]
let d2 = ["c":"car","d":"door"]
let d3 = d1.reduce(d2) { (var d, p) in
d[p.0] = p.1
return d
}
私は SwifterSwift Library をお勧めします。ただし、ライブラリ全体とそのすべての素晴らしい追加機能を使用したくない場合は、それらの拡張機能であるDictionaryを使用するだけで済みます。
public extension Dictionary {
public static func +=(lhs: inout [Key: Value], rhs: [Key: Value]) {
rhs.forEach({ lhs[$0] = $1})
}
}
Key Valueの組み合わせを繰り返してマージしたい値を求め、それらをupdateValue(forKey :)メソッドで追加することができます。
dictionaryTwo.forEach {
dictionaryOne.updateValue($1, forKey: $0)
}
DictionaryTwoのすべての値がdictionaryOneに追加されました。
@ farhadfの回答と同じですが、Swift 3に採用されています。
let sourceDict1 = [1: "one", 2: "two"]
let sourceDict2 = [3: "three", 4: "four"]
let result = sourceDict1.reduce(sourceDict2) { (partialResult , pair) in
var partialResult = partialResult //without this line we could not modify the dictionary
partialResult[pair.0] = pair.1
return partialResult
}
このようにDictionary
extensionを追加することができます。
extension Dictionary {
func mergedWith(otherDictionary: [Key: Value]) -> [Key: Value] {
var mergedDict: [Key: Value] = [:]
[self, otherDictionary].forEach { dict in
for (key, value) in dict {
mergedDict[key] = value
}
}
return mergedDict
}
}
そしてsageは、次のようにsimpleとなります。
var dict1 = ["a" : "foo"]
var dict2 = ["b" : "bar"]
var combinedDict = dict1.mergedWith(dict2)
// => ["a": "foo", "b": "bar"]
もしあなたが、いくつかのもっと便利な機能を含むフレームワークを好むなら、チェックアウトHandySwift。 --- プロジェクトにインポートするそしてあなた自身で上記のコードを使用することができます拡張子を追加することなく.
Swift 3、辞書エクステンション:
public extension Dictionary {
public static func +=(lhs: inout Dictionary, rhs: Dictionary) {
for (k, v) in rhs {
lhs[k] = v
}
}
}
Swift 4のためのさらに合理化されたオーバーロード:
extension Dictionary {
static func += (lhs: inout [Key:Value], rhs: [Key:Value]) {
lhs.merge(rhs){$1}
}
static func + (lhs: [Key:Value], rhs: [Key:Value]) -> [Key:Value] {
return lhs.merging(rhs){$1}
}
}
拡張機能や追加の機能は必要ありません。あなたはそのように書くことができます:
firstDictionary.merge(secondDictionary) { (value1, value2) -> AnyObject in
return object2 // what you want to return if keys same.
}
import Foundation
let x = ["a":1]
let y = ["b":2]
let out = NSMutableDictionary(dictionary: x)
out.addEntriesFromDictionary(y)
結果はNSMutableDictionaryで、Swift型の辞書ではありませんが、それを使用する構文は同じです(この場合はout["a"] == 1
)。したがって、Swift辞書を必要とするサードパーティコードを使用している場合のみ問題があります。型チェックが本当に必要です。
ここでの簡単な答えはあなたが実際にループしなければならないということです。明示的に入力していなくても、あなたが呼び出しているメソッド(addEntriesFromDictionary:こちら)が実行することになります。 2つのBツリーのリーフノードをどのようにマージするかを検討する必要があるのはなぜなのかということについて少し不明確であればお勧めします。
あなたが本当にSwiftネイティブ辞書型を実際に必要としているのなら、私はお勧めします:
let x = ["a":1]
let y = ["b":2]
var out = x
for (k, v) in y {
out[k] = v
}
このアプローチのマイナス面は、辞書のインデックスが - しかし、それが行われている - ループの中で何度も再構築されるかもしれないということですので、実際にはこれはNSMutableDictionaryのアプローチよりも約10倍遅くなります。
BridgeToObjectiveC()関数を使って辞書をNSDictionaryにすることができます。
次のようになります。
var dict1 = ["a":"Foo"]
var dict2 = ["b":"Boo"]
var combinedDict = dict1.bridgeToObjectiveC()
var mutiDict1 : NSMutableDictionary! = combinedDict.mutableCopy() as NSMutableDictionary
var combineDict2 = dict2.bridgeToObjectiveC()
var combine = mutiDict1.addEntriesFromDictionary(combineDict2)
その後、NSDictionaryを元に戻す(コンバイン)か、何でもできます。
これらの反応はすべて複雑です。これはSwift 2.2用の私の解決策です。
//get first dictionnary
let finalDictionnary : NSMutableDictionary = self.getBasicDict()
//cast second dictionnary as [NSObject : AnyObject]
let secondDictionnary : [NSObject : AnyObject] = self.getOtherDict() as [NSObject : AnyObject]
//merge dictionnary into the first one
finalDictionnary.addEntriesFromDictionary(secondDictionnary)
これは私が書いた素敵な拡張機能です...
extension Dictionary where Value: Any {
public func mergeOnto(target: [Key: Value]?) -> [Key: Value] {
guard let target = target else { return self }
return self.merging(target) { current, _ in current }
}
}
使用する:
var dict1 = ["cat": 5, "dog": 6]
var dict2 = ["dog": 9, "rodent": 10]
dict1 = dict1.mergeOnto(target: dict2)
その後、dict1は以下のように修正されます。
["cat": 5, "dog": 6, "rodent": 10]
私のニーズは異なっていました、私は駄目にすることなく不完全な入れ子になったデータセットをマージする必要がありました。
merging:
["b": [1, 2], "s": Set([5, 6]), "a": 1, "d": ["x": 2]]
with
["b": [3, 4], "s": Set([6, 7]), "a": 2, "d": ["y": 4]]
yields:
["b": [1, 2, 3, 4], "s": Set([5, 6, 7]), "a": 2, "d": ["y": 4, "x": 2]]
これは私が望んでいたよりも大変でした。課題は動的型付けから静的型付けへのマッピングでしたが、これを解決するためにプロトコルを使用しました。
また、辞書リテラル構文を使用すると、実際には基本型が取得されるため、プロトコル拡張機能は使用されません。コレクション要素の統一性を検証するのが簡単ではなかったので、私はそれらをサポートするための私の努力を中止しました。
import UIKit
private protocol Mergable {
func mergeWithSame<T>(right: T) -> T?
}
public extension Dictionary {
/**
Merge Dictionaries
- Parameter left: Dictionary to update
- Parameter right: Source dictionary with values to be merged
- Returns: Merged dictionay
*/
func merge(right:Dictionary) -> Dictionary {
var merged = self
for (k, rv) in right {
// case of existing left value
if let lv = self[k] {
if let lv = lv as? Mergable where lv.dynamicType == rv.dynamicType {
let m = lv.mergeWithSame(rv)
merged[k] = m
}
else if lv is Mergable {
assert(false, "Expected common type for matching keys!")
}
else if !(lv is Mergable), let _ = lv as? NSArray {
assert(false, "Dictionary literals use incompatible Foundation Types")
}
else if !(lv is Mergable), let _ = lv as? NSDictionary {
assert(false, "Dictionary literals use incompatible Foundation Types")
}
else {
merged[k] = rv
}
}
// case of no existing value
else {
merged[k] = rv
}
}
return merged
}
}
extension Array: Mergable {
func mergeWithSame<T>(right: T) -> T? {
if let right = right as? Array {
return (self + right) as? T
}
assert(false)
return nil
}
}
extension Dictionary: Mergable {
func mergeWithSame<T>(right: T) -> T? {
if let right = right as? Dictionary {
return self.merge(right) as? T
}
assert(false)
return nil
}
}
extension Set: Mergable {
func mergeWithSame<T>(right: T) -> T? {
if let right = right as? Set {
return self.union(right) as? T
}
assert(false)
return nil
}
}
var dsa12 = Dictionary<String, Any>()
dsa12["a"] = 1
dsa12["b"] = [1, 2]
dsa12["s"] = Set([5, 6])
dsa12["d"] = ["c":5, "x": 2]
var dsa34 = Dictionary<String, Any>()
dsa34["a"] = 2
dsa34["b"] = [3, 4]
dsa34["s"] = Set([6, 7])
dsa34["d"] = ["c":-5, "y": 4]
//let dsa2 = ["a": 1, "b":a34]
let mdsa3 = dsa12.merge(dsa34)
print("merging:\n\t\(dsa12)\nwith\n\t\(dsa34) \nyields: \n\t\(mdsa3)")
スイフト2.2
func + <K,V>(left: [K : V], right: [K : V]) -> [K : V] {
var result = [K:V]()
for (key,value) in left {
result[key] = value
}
for (key,value) in right {
result[key] = value
}
return result
}
私はただDollarライブラリを使うでしょう。
https://github.com/ankurp/Dollar/#merge---merge-1
すべての辞書をマージし、後者の辞書は指定されたキーの値を上書きします。
let dict: Dictionary<String, Int> = ["Dog": 1, "Cat": 2]
let dict2: Dictionary<String, Int> = ["Cow": 3]
let dict3: Dictionary<String, Int> = ["Sheep": 4]
$.merge(dict, dict2, dict3)
=> ["Dog": 1, "Cat": 2, "Cow": 3, "Sheep": 4]