程序改错# -*- coding: utf-8 -*- ss=input("请输入一串字符:") while ss=='exit': #ERROR n=n+1 #ERROR for x in ss: #ERROR if x in '0123456789': n+=1 print('Result:{}'.format(n)) ss=input("请输入一串字符:")
时间: 2024-02-10 22:08:14 浏览: 95
13818-3:1998
这段程序中有三个错误:
1. 在 while 循环中,条件应该是 `while ss != 'exit':`,表示只要输入的字符串不等于 'exit',就一直执行循环。
2. 在循环中的第二行,n 变量没有初始化,应该在循环之前加上 `n = 0`。
3. 在循环中的第三行,if 语句的缩进有问题,应该把 n+=1 这一行缩进到 if 语句的内部。
下面是修改后的程序:
```python
# -*- coding: utf-8 -*-
ss = input("请输入一串字符:")
n = 0
while ss != 'exit':
for x in ss:
if x in '0123456789':
n += 1
print('Result:{}'.format(n))
ss = input("请输入一串字符:")
n = 0
```
这个程序的作用是统计输入的字符串中数字的个数,每输入一次字符串,就会输出数字的个数。当输入的字符串为 'exit' 时,程序退出。
阅读全文