TL;DR: You can append a value to a Python list (or array), but not to a dictionary.
Add key: value pair to dictionary
The syntax dictionary[key] = message1 changes the existing value of dictionary[key] to message if the key is already in the dictionary, and creates a key-value pair key: message1 if the key is not yet in the dictionary.
So instead of this...
if key in dictionary:
dictionary[key].append(message1)
else:
dictionary[key] = message1
...you would use this:
dictionary[key] = message1
Update dictionary with different key: value pairs
If you want to update a dictionary with the values from another dictionary, you can do it this way:
dictionary_1.update(dictionary_2)
This modifies dictionary_1 in place, using the values for each key in dictionary_2.
If a key does not exist in dictionary_1, but exists in dictionary_2, then update will modify dictionary_1 based on dictionary_2, so that dictionary_1 includes the key-value pair key: dictionary_2[key].
Or, if a key exists in both dictionary_1 and dictionary_2, then update will overwrite the existing value in dictionary_1[key] with the value from dictionary_2[key].
So instead of this...
if key in dictionary:
dictionary[key].append(message1)
else:
dictionary[key] = message1
...you would use this:
dictionary[key].update(message1)
This works only if the value of dictionary[key] is a dictionary.
Append values to list within dictionary
If you want a key to have multiple values, you can store the multiple values in a list:
dictionary = {key: [value_1, value_2, value_3]}
Then you can append another value to the list:
dictionary[key].append(value_4)
Result:
dictionary = {key: [value_1, value_2, value_3, value_4]}
So instead of this...
if key in dictionary:
dictionary[key].append(message1)
else:
dictionary[key] = message1
...you would use this:
if key in dictionary:
dictionary[key].append(message1)
else:
dictionary[key] = [message1]
If key already exists in dictionary, this appends message to dictionary[key]. Otherwise, it creates a new single-item list [message1] as the value of dictionary[key].
However, dictionary[key].append(message1) only works if the value of dictionary[key] is a list, not if the value is a dictionary.
elseblock, so you need to do something like that in the block above.dictionary[key].update(message1)if key is found