forked from narcelio/thackday
-
Notifications
You must be signed in to change notification settings - Fork 1
/
cpf.py
195 lines (149 loc) · 4.36 KB
/
cpf.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
# coding: utf-8
#
# (c) Copyright 2007 Narcélio Filho
# (c) Copyright 2006 Fabio Correa
# (c) Copyright 2005 Michel Thadeu Sabchuk
# (c) Copyright 2005 Pedro Werneck
#
# Licença: Creative Commons Attribution 2.5
# http://creativecommons.org/licenses/by/2.5/br/
#
# código original encontrado em:
# http://www.pythonbrasil.com.br/moin.cgi/VerificadorDeCpf
class Cpf(object):
"""
Esta classe é um wrapper para ser usado com números de CPF, que além de
oferecer um método simples de verificação, também conta com métodos para
comparação e conversão.
>>> a = Cpf('56068332551')
>>> b = Cpf('560.683.325-51')
>>> c = Cpf((1, 2, 3, 4, 5, 6, 7, 8, 9, 0, 0))
>>> assert a.valido()
>>> assert b.valido()
>>> assert not c.valido()
>>> assert a == b
>>> assert not b == c
>>> assert not a == c
>>> assert eval(repr(a)) == a
>>> assert eval(repr(b)) == b
>>> assert eval(repr(c)) == c
>>> assert str(a) == \"560.683.325-51\"
>>> assert str(b) == str(a)
>>> assert str(c) == \"123.456.789-00\"
"""
def __init__(self, cpf):
"""Classe representando um número de CPF
>>> a = Cpf('95524361503')
>>> b = Cpf('955.243.615-03')
>>> c = Cpf([9, 5, 5, 2, 4, 3, 6, 1, 5, 0, 3])
"""
try:
basestring
except:
basestring = (str, unicode)
if isinstance(cpf, basestring):
cpf = cpf.replace(".", "")
cpf = cpf.replace("-", "")
if not cpf.isdigit():
raise ValueError("O CPF não segue a forma XXX.XXX.XXX-XX")
if len(cpf) < 11:
cpf = '0' * (11-len(cpf))
self.cpf = map(int, cpf)
def __getitem__(self, index):
"""Retorna o dígito em index como string
>>> a = Cpf('95524361503')
>>> a[9] == '0'
True
>>> a[10] == '3'
True
>>> a[9] == 0
False
>>> a[10] == 3
False
"""
return str(self.cpf[index])
def __repr__(self):
"""Retorna uma representação 'real', ou seja:
eval(repr(cpf)) == cpf
>>> a = Cpf('95524361503')
>>> print repr(a)
Cpf('95524361503')
>>> eval(repr(a)) == a
True
"""
return "Cpf('%s')" % ''.join([str(x) for x in self.cpf])
def __eq__(self, other):
"""Provê teste de igualdade para números de CPF
>>> a = Cpf('95524361503')
>>> b = Cpf('955.243.615-03')
>>> c = Cpf('123.456.789-00')
>>> a == b
True
>>> a != c
True
>>> b != c
True
"""
if isinstance(other, Cpf):
return self.cpf == other.cpf
return False
def __str__(self):
"""Retorna uma string do CPF na forma com pontos e traço
>>> a = Cpf('95524361503')
>>> str(a)
'955.243.615-03'
"""
d = ((3, "."), (7, "."), (11, "-"))
s = map(str, self.cpf)
for i, v in d:
s.insert(i, v)
r = ''.join(s)
return r
def valido(self):
"""Valida o número de cpf
>>> a = Cpf('95524361503')
>>> a.valido()
True
>>> b = Cpf('12345678900')
>>> b.valido()
False
"""
cpf = self.cpf[:9]
# pegamos apenas os 9 primeiros dígitos do cpf e geramos os
# dois dígitos que faltam
while len(cpf) < 11:
r = sum(map(lambda(i,v):(len(cpf)+1-i)*v,enumerate(cpf))) % 11
if r > 1:
f = 11 - r
else:
f = 0
cpf.append(f)
# se o número com os digítos faltantes coincidir com o número
# original, então ele é válido
return bool(cpf == self.cpf)
def __nonzero__(self):
"""Valida o número de cpf
>>> a = Cpf('95524361503')
>>> bool(a)
True
>>> b = Cpf('12345678900')
>>> bool(b)
False
>>> if a:
... print 'OK'
...
OK
>>> if b:
... print 'OK'
...
>>>
"""
return self.valido()
def plain(self):
return ''.join(map(str, self.cpf))
def doctest():
import doctest
doctest.testmod()
if __name__ == "__main__":
doctest()
# vim:tabstop=4:shiftwidth=4:expandtab:smartindent:encoding=utf-8