python编写一个函数,参数为一字符串,返回值为字符串长度以及字符串里面大写字母、小写字母和数字的个数,共四个数字。
时间: 2024-02-11 07:07:49 浏览: 67
可以使用Python中的isupper()、islower()和isdigit()函数来判断字符串中大写字母、小写字母和数字的个数。以下是一个示例函数:
```python
def analyze_string(s):
length = len(s)
upper_count = sum(1 for c in s if c.isupper())
lower_count = sum(1 for c in s if c.islower())
digit_count = sum(1 for c in s if c.isdigit())
return length, upper_count, lower_count, digit_count
```
使用示例:
```python
s = "Hello World! 123"
result = analyze_string(s)
print(result)
```
输出:
```
(15, 2, 8, 3)
```
其中,字符串长度为15,大写字母个数为2,小写字母个数为8,数字个数为3。
相关问题
python 编写一个函数,参数为一串字符串,返回值为字符串长度以及字符串里面的大写字母、小写字母,和数字的个数总共三个数字
好的,以下是 Python 代码实现:
```python
def analyze_string(s):
length = len(s)
upper_count = sum(1 for c in s if c.isupper())
lower_count = sum(1 for c in s if c.islower())
digit_count = sum(1 for c in s if c.isdigit())
return f"{length}{upper_count}{lower_count + digit_count}"
```
这个函数接收一个字符串参数 `s`,返回一个字符串,字符串中依次包含字符串长度、大写字母个数、小写字母和数字个数之和,共三个数字。函数内部使用了 Python 的字符串方法来统计各种字符的个数,并使用了 f-string 来拼接返回字符串。注意,这里统计小写字母和数字个数时使用了加号进行求和。
python 编写一个函数,参数为一串明文密码字符串,返回值为字符串长度以及字符串里面的大写字母、小写字母,和数字的个数总共四个数字
好的,以下是 Python 代码实现:
```python
def analyze_password(password):
length = len(password)
upper_count = sum(1 for c in password if c.isupper())
lower_count = sum(1 for c in password if c.islower())
digit_count = sum(1 for c in password if c.isdigit())
return f"{length}{upper_count}{lower_count}{digit_count}"
```
这个函数接收一个字符串参数 `password`,返回一个字符串,字符串中依次包含密码长度、大写字母个数、小写字母个数、数字个数,共四个数字。函数内部使用了 Python 的字符串方法来统计各种字符的个数,并使用了 f-string 来拼接返回字符串。
阅读全文