python判断字符串是否在另一个字符串里 忽略大小写
时间: 2023-10-31 10:12:39 浏览: 66
可以使用字符串的 `lower()` 方法将字符串转换为小写,然后再进行判断。
示例代码:
```python
string1 = "Hello World"
string2 = "world"
if string2.lower() in string1.lower():
print("Yes")
else:
print("No")
```
输出结果为 `Yes`,因为字符串 `"world"` 在字符串 `"Hello World"` 中出现了,并且忽略了大小写。
相关问题
python 忽略大小写判断字符串
在 Python 中,可以使用 `lower()` 或 `upper()` 方法将字符串转换为全小写或全大写,然后进行比较。例如:
```python
str1 = "Hello"
str2 = "hElLo"
if str1.lower() == str2.lower():
print("两个字符串相同(忽略大小写)")
else:
print("两个字符串不同")
```
输出结果为:
```
两个字符串相同(忽略大小写)
```
另外,还可以使用 `casefold()` 方法进行更加严格的比较。`casefold()` 方法会将字符串中的所有字符转换为小写,并且会处理某些特殊字符的大小写问题。例如:
```python
str1 = "ß"
str2 = "ss"
if str1.casefold() == str2:
print("两个字符串相同(忽略大小写和特殊字符)")
else:
print("两个字符串不同")
```
输出结果为:
```
两个字符串相同(忽略大小写和特殊字符)
```
python 判断一个字符串是否在另一个字符串中的代码
可以使用 `in` 关键字来判断一个字符串是否在另一个字符串中。例如:
```python
s1 = "hello world"
s2 = "world"
if s2 in s1:
print("s2 is in s1")
else:
print("s2 is not in s1")
```
输出结果为:
```
s2 is in s1
```
如果要忽略大小写来比较字符串,可以先将两个字符串转换为同一种大小写,再进行比较。例如:
```python
s1 = "Hello World"
s2 = "world"
if s2.lower() in s1.lower():
print("s2 is in s1")
else:
print("s2 is not in s1")
```
输出结果仍为:
```
s2 is in s1
```
阅读全文