30

Let's say I have a dictionary:

x = {"x1":1,"x2":2,"x3":3}

and I have another dictionary:

y = {"y1":1,"y2":2,"y3":3}

Is there any neat way to constract a 3rd dictionary from the previous two:

z = {"y1":1,"x2":2,"x1":1,"y2":2}  
Taylan Aydinli
  • 4,333
  • 15
  • 39
  • 33
Mero
  • 1,280
  • 4
  • 15
  • 25

3 Answers3

9

If you want the whole 2 dicts:

x = {"x1":1,"x2":2,"x3":3}
y = {"y1":1,"y2":2,"y3":3}


z = dict(x.items() + y.items())
print z

Output:

{'y2': 2, 'y1': 1, 'x2': 2, 'x3': 3, 'y3': 3, 'x1': 1}

If you want the partial dict:

x = {"x1":1,"x2":2,"x3":3}
y = {"y1":1,"y2":2,"y3":3}

keysList = ["x2", "x1", "y1", "y2"]
z = {}

for key, value in dict(x.items() + y.items()).iteritems():
    if key in keysList:
        z.update({key: value})

print z

Output

{'y1': 1, 'x2': 2, 'x1': 1, 'y2': 2}
Kobi K
  • 7,743
  • 6
  • 42
  • 86
7

You can use copy for x then update to add the keys and values from y:

z = x.copy()
z.update(y)
jonrsharpe
  • 115,751
  • 26
  • 228
  • 437
2

Try something like this:

dict([(key, d[key]) for d in [x,y] for key in d.keys() if key not in ['x3', 'y3']])
{'x2': 2, 'y1': 1, 'x1': 1, 'y2': 2}
vahid abdi
  • 9,636
  • 4
  • 29
  • 35