python身份证号码校验
时间: 2023-10-30 18:04:52 浏览: 147
可以使用 Python 的正则表达式模块 `re` 来进行身份证号码的校验。
身份证号码的规则是:
1. 18 位身份证号码的最后一位是校验位,其他 17 位由数字和字母组成。
2. 校验位的计算规则是:将身份证号码前 17 位数字依次乘以对应的系数,再将结果相加,得到一个和值,然后用 11 取模,得到一个余数,最后根据余数查表得到对应的校验码进行比对。
下面是一个示例代码实现身份证号码的校验:
```python
import re
def validate_id_card(id_card):
# 18 位身份证号码的校验规则
pattern = r'^[1-9]\d{5}\d{4}\d{2}\d{2}(\d{2})([0-9]|X)$'
match = re.match(pattern, id_card)
if not match:
return False
# 计算校验位
factors = [7, 9, 10, 5, 8, 4, 2, 1, 6, 3, 7, 9, 10, 5, 8, 4, 2]
check_codes = ['1', '0', 'X', '9', '8', '7', '6', '5', '4', '3', '2']
check_sum = sum([int(id_card[i])*factors[i] for i in range(17)])
check_code = check_codes[check_sum % 11]
# 比对校验位
return id_card[-1] == check_code
```
使用示例:
```python
id_card = '110101199003077457'
if validate_id_card(id_card):
print(f'{id_card} 是有效的身份证号码')
else:
print(f'{id_card} 不是有效的身份证号码')
```
输出结果:
```
110101199003077457 是有效的身份证号码
```
阅读全文