python 字符串大写转小写
时间: 2024-04-25 16:19:21 浏览: 141
在Python中,可以使用`lower()`方法将字符串中的大写字母转换为小写字母。以下是一个示例:
```python
string = "HELLO WORLD"
lowercase_string = string.lower()
print(lowercase_string)
```
输出结果为:
```
hello world
```
相关问题
将Python字符串中大写转换小写小写转换大写
在Python中,将字符串的大写字母转换为小写字母可以使用`lower()`方法,而将小写字母转换为大写字母则可以使用`upper()`方法。以下是这两个操作的简单示例:
```python
# 转换为小写
string_lower = "HELLO WORLD".lower()
print(string_lower) # 输出: hello world
# 转换为大写
string_upper = "hello world".upper()
print(string_upper) # 输出: HELLO WORLD
```
如果你想在原始字符串上就地修改而不创建新字符串,可以这样做:
```python
# 就地修改为小写
string_in_place = "HELLO WORLD"
string_in_place = string_in_place.lower()
print(string_in_place) # 输出: hello world
# 就地修改为大写
string_in_place = "hello world"
string_in_place = string_in_place.upper()
print(string_in_place) # 输出: HELLO WORLD
```
python中将字符变为大写_python如何同时把字符串大写变小写,小写变大写
在 Python 中,可以使用字符串的 `upper()` 方法将字符串转换为大写,使用 `lower()` 方法将字符串转换为小写。同时将字符串中的大小写进行互换,可以使用 `swapcase()` 方法。以下是示例代码:
```python
s = "Hello World"
upper_s = s.upper() # 转换为大写
lower_s = s.lower() # 转换为小写
swapcase_s = s.swapcase() # 大小写互换
print(upper_s) # 输出 "HELLO WORLD"
print(lower_s) # 输出 "hello world"
print(swapcase_s) # 输出 "hELLO wORLD"
```
需要注意的是,上述方法都是返回新的字符串,不会改变原字符串的值。如果需要改变原字符串的值,可以直接对字符串进行赋值操作。例如:
```python
s = "Hello World"
s = s.upper() # 将 s 转换为大写,并赋值给 s
print(s) # 输出 "HELLO WORLD"
```
阅读全文