python在字典中動態添加元素
时间: 2023-12-02 22:01:47 浏览: 76
可以使用字典的update()方法,或直接使用字典下标的方式添加。示例代码:
```python
# 使用update()方法
dict1 = {'a': 1, 'b': 2}
dict1.update({'c': 3})
print(dict1) # {'a': 1, 'b': 2, 'c': 3}
# 直接添加元素
dict2 = {'a': 1, 'b': 2}
dict2['c'] = 3
print(dict2) # {'a': 1, 'b': 2, 'c': 3}
```
相关问题
python向字典中添加元素
可以使用字典的`update()`方法或者直接赋值的方式向字典中添加元素。具体如下:
1. 使用`update()`方法:
```python
dict1 = {"name": "Alice", "age": 25}
dict1.update({"gender": "female"})
print(dict1) # 输出结果:{"name": "Alice", "age": 25, "gender": "female"}
```
2. 直接赋值的方式:
```python
dict1 = {"name": "Alice", "age": 25}
dict1["gender"] = "female"
print(dict1) # 输出结果:{"name": "Alice", "age": 25, "gender": "female"}
```
在上面的例子中,我们向字典`dict1`中添加了一个键值对`"gender": "female"`。
Python 字典中添加元素
您可以通过以下方式向Python字典中添加元素:
1. 使用键值对的方式添加元素:
```python
my_dict = {'name': 'John', 'age': 28}
my_dict['city'] = 'New York'
print(my_dict) # Output: {'name': 'John', 'age': 28, 'city': 'New York'}
```
2. 使用 `update()` 方法添加元素:
```python
my_dict = {'name': 'John', 'age': 28}
my_dict.update({'city': 'New York'})
print(my_dict) # Output: {'name': 'John', 'age': 28, 'city': 'New York'}
```
3. 使用 `setdefault()` 方法添加元素:
```python
my_dict = {'name': 'John', 'age': 28}
my_dict.setdefault('city', 'New York')
print(my_dict) # Output: {'name': 'John', 'age': 28, 'city': 'New York'}
```
以上三种方法都能够向Python字典中添加元素。
阅读全文