Python转换大小写
时间: 2024-07-02 11:01:14 浏览: 90
Python判断字符串与大小写转换
5星 · 资源好评率100%
在Python中,你可以使用内置的方法轻松地转换字符串的大小写。以下是一些常用的转换方式:
1. **转换为大写(Uppercase)**:使用`upper()`函数。
```python
string = "hello, world!"
uppercase_string = string.upper()
print(uppercase_string) # 输出:HELLO, WORLD!
```
2. **转换为小写(Lowercase)**:使用`lower()`函数。
```python
string = "Hello, World!"
lowercase_string = string.lower()
print(lowercase_string) # 输出:hello, world!
```
3. **部分转换**:如果你想只转换字符串的一部分,可以结合切片操作和`title()`、`capitalize()`方法。
```python
string = "first line. Second LINE."
particular_case = string.title() # 全部单词首字母大写
print(particular_case) # 输出:First Line. Second Line.
```
```python
particular_case = string.capitalize() + string[1:] # 首字母大写
print(particular_case) # 输出:First line. Second LINE.
```
阅读全文