写出一段python代码 实现isNum()函数,参数为-一个字符串,如果这个字符串属于整数、浮点数或复数的表示,则返回True,否则返回False。
时间: 2024-03-10 19:49:59 浏览: 79
以下是代码示例:
```python
def isNum(s):
if len(s) == 0:
return False
if s[0] in ['+', '-']:
s = s[1:]
if len(s) == 0 or s[0] == '.' and (len(s) == 1 or not s[1:].isdigit()):
return False
dotSeen = False
eSeen = False
for i in range(len(s)):
if s[i].isdigit():
continue
elif s[i] == '.':
if not dotSeen and not eSeen:
dotSeen = True
else:
return False
elif s[i] in ['e', 'E']:
if not eSeen and i != len(s) - 1 and s[i + 1] not in ['+', '-'] and s[i + 1].isdigit():
eSeen = True
else:
return False
elif s[i] in ['+', '-']:
if i != len(s) - 1 and s[i - 1] in ['e', 'E']:
continue
else:
return False
else:
return False
return True
```
解释:
- 该函数使用多种方法判断字符串 s 是否是数字表示。
- 如果字符串长度为 0,则返回 False。
- 如果字符串以 '+' 或 '-' 开头,则去掉开头的符号。
- 如果字符串长度为 0,或者以 '.' 开头但是 '.' 后面不是数字,则返回 False。
- 遍历字符串中的每个字符,如果是数字,则继续,否则按照以下情况判断:
- 如果是 '.',则判断是否已经出现过 '.' 和 'e',如果已经出现过,则返回 False。
- 如果是 'e' 或 'E',则判断是否已经出现过 'e',并且其后面必须是数字或以 '+' 或 '-' 开头的数字,否则返回 False。
- 如果是 '+' 或 '-',则判断是否是 'e' 或 'E' 的正负号,否则返回 False。
- 如果是其他字符,则返回 False。
- 如果遍历完了整个字符串,没有返回 False,则说明它是数字表示,返回 True。
示例测试代码:
```python
print(isNum("123")) # 输出 True
print(isNum("-123")) # 输出 True
print(isNum("3.14")) # 输出 True
print(isNum("-3.14")) # 输出 True
print(isNum("2+3j")) # 输出 True
print(isNum("-2+3j")) # 输出 True
print(isNum("1.2.3")) # 输出 False
print(isNum("abc")) # 输出 False
print(isNum("1e3")) # 输出 True
print(isNum("1.2e+3")) # 输出 True
print(isNum("1.2e-3")) # 输出 True
print(isNum("1.2e3.4")) # 输出 False
print(isNum("1.2e")) # 输出 False
print(isNum("1.2e+")) # 输出 False
print(isNum("1.2e-")) # 输出 False
print(isNum("1.2e+3.4")) # 输出 False
```
输出结果:
```
True
True
True
True
True
True
False
False
True
True
True
False
False
False
False
False
```
阅读全文