Мне нужно прочитать несколько больших файлов (от 50k до 100k строк), структурированных в группы, разделенные пустыми строками. Каждая группа начинается с одного и того же шаблона «№999999999 дд / мм / гггг ZZZ». Вот некоторые примеры данных.
№ 813829461 от 16.09.1987 г. 270
Tit.SUZANO PAPEL E CELULOSE S.A. (BR / BA)
C.N.P.J./C.I.C./N INPI: 16404287000155
Прокурадор: Марселло До Насцименто
№ 815326777 от 28.12.1989 351
Tit.SIGLA SISTEMA GLOBO DE GRAVACOES AUDIO VISUAIS LTDA (BR / RJ)
C.N.P.J./C.I.C./NºINPI: 34162651000108
Апр .: Номинатива; Nat .: De Produto
Марка: ТРИО ТРОПИЧЕСКИЙ
Clas.Prod/Serv: 09.40
* DEFERIDO CONFORME RESOLUÇÃO 123 DE 06/01/2006, PUBLICADA NA RPI 1829, DE 24.01.01.
Прокурадор: WALDEMAR RODRIGUES PEDRA
№ 900148764 от 01.01.2007 LD3
Tit.TIARA BOLSAS E CALÇADOS LTDA
Прокурадор: Марсия Феррейра Гомес
* Escritório: Marcas Marcantes e Patentes Ltda
* Exigência Formal não responseida Satisfatoriamente, Pedido de Registro de Marca, считая несуществующим, de acordo com Art. 157 да LPI
* Protocol of Petição de cumprimento de Exigência Официально: 810080140197
Я написал некоторый код, который анализирует его соответственно. Есть что-нибудь, что я могу улучшить, чтобы улучшить читаемость или производительность? Вот что я захожу так далеко:
import re, pprint
class Despacho(object):
"""
Class to parse each line, applying the regexp and storing the results
for future use
"""
regexp = {
re.compile(r'No.([\d]{9}) ([\d]{2}/[\d]{2}/[\d]{4}) (.*)'): lambda self: self._processo,
re.compile(r'Tit.(.*)'): lambda self: self._titular,
re.compile(r'Procurador: (.*)'): lambda self: self._procurador,
re.compile(r'C.N.P.J./C.I.C./N INPI :(.*)'): lambda self: self._documento,
re.compile(r'Apres.: (.*) ; Nat.: (.*)'): lambda self: self._apresentacao,
re.compile(r'Marca: (.*)'): lambda self: self._marca,
re.compile(r'Clas.Prod/Serv: (.*)'): lambda self: self._classe,
re.compile(r'\*(.*)'): lambda self: self._complemento,
}
def __init__(self):
"""
'complemento' is the only field that can be multiple in a single registry
"""
self.complemento = []
def _processo(self, matches):
self.processo, self.data, self.despacho = matches.groups()
def _titular(self, matches):
self.titular = matches.group(1)
def _procurador(self, matches):
self.procurador = matches.group(1)
def _documento(self, matches):
self.documento = matches.group(1)
def _apresentacao(self, matches):
self.apresentacao, self.natureza = matches.groups()
def _marca(self, matches):
self.marca = matches.group(1)
def _classe(self, matches):
self.classe = matches.group(1)
def _complemento(self, matches):
self.complemento.append(matches.group(1))
def read(self, line):
for pattern in Despacho.regexp:
m = pattern.match(line)
if m:
Despacho.regexp[pattern](self)(m)
def process(rpi):
"""
read data and process each group
"""
rpi = (line for line in rpi)
group = False
for line in rpi:
if line.startswith('No.'):
group = True
d = Despacho()
if not line.strip() and group: # empty line - end of block
yield d
group = False
d.read(line)
arquivo = open('rm1972.txt') # file to process
for desp in process(arquivo):
pprint.pprint(desp.__dict__)
print('--------------')