forked from sirfz/tesserocr
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathsetup.py
167 lines (143 loc) · 6.07 KB
/
setup.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
import logging
import os
import sys
import codecs
import re
import subprocess
import errno
from os.path import dirname, abspath
from os.path import split as psplit, join as pjoin
from setuptools import setup, Extension
from Cython.Distutils import build_ext
_LOGGER = logging.getLogger()
if os.environ.get('DEBUG'):
_LOGGER.setLevel(logging.DEBUG)
else:
_LOGGER.setLevel(logging.INFO)
_LOGGER.addHandler(logging.StreamHandler(sys.stderr))
_TESSERACT_MIN_VERSION = '3.04.00'
# find_version from pip https://github.com/pypa/pip/blob/1.5.6/setup.py#L33
here = abspath(dirname(__file__))
def read(*parts):
return codecs.open(pjoin(here, *parts), 'r').read()
def find_version(*file_paths):
version_file = read(*file_paths)
version_match = re.search(r"^__version__ = ['\"]([^'\"]*)['\"]",
version_file, re.M)
if version_match:
return version_match.group(1)
raise RuntimeError("Unable to find version string.")
if sys.version_info >= (3, 0):
def _read_string(s):
return s.decode('UTF-8')
else:
def _read_string(s):
return s
def version_to_int(version):
version = re.search(r'((?:\d+\.)+\d+)', version).group()
return int(''.join(version.split('.')), 16)
def package_config():
"""Use pkg-config to get library build parameters and tesseract version."""
p = subprocess.Popen(['pkg-config', '--exists', '--atleast-version={}'.format(_TESSERACT_MIN_VERSION),
'--print-errors', 'tesseract'],
stderr=subprocess.PIPE)
_, error = p.communicate()
if p.returncode != 0:
raise Exception(error)
p = subprocess.Popen(['pkg-config', '--libs', '--cflags', 'tesseract'], stdout=subprocess.PIPE)
output, _ = p.communicate()
flags = _read_string(output).strip().split()
p = subprocess.Popen(['pkg-config', '--libs', '--cflags', 'lept'], stdout=subprocess.PIPE)
output, _ = p.communicate()
flags2 = _read_string(output).strip().split()
options = {'-L': 'library_dirs',
'-I': 'include_dirs',
'-l': 'libraries'}
config = {}
import itertools
for f in itertools.chain(flags, flags2):
try:
opt = options[f[:2]]
except KeyError:
continue
val = f[2:]
if opt == 'include_dirs' and psplit(val)[1].strip(os.sep) in ('leptonica', 'tesseract'):
val = dirname(val)
config.setdefault(opt, set()).add(val)
config = {k: list(v) for k, v in config.items()}
p = subprocess.Popen(['pkg-config', '--modversion', 'tesseract'], stdout=subprocess.PIPE)
version, _ = p.communicate()
version = _read_string(version).strip()
_LOGGER.info("Supporting tesseract v{}".format(version))
config['cython_compile_time_env'] = {'TESSERACT_VERSION': version_to_int(version)}
_LOGGER.info("Configs from pkg-config: {}".format(config))
return config
def get_tesseract_version():
"""Try to extract version from tesseract otherwise default min version."""
config = {'libraries': ['tesseract', 'lept']}
try:
p = subprocess.Popen(['tesseract', '-v'], stderr=subprocess.PIPE)
_, version = p.communicate()
version = _read_string(version).strip()
version_match = re.search(r'^tesseract ((?:\d+\.)+\d+).*', version, re.M)
if version_match:
version = version_match.group(1)
else:
_LOGGER.warn('Failed to extract tesseract version number from: {}'.format(version))
version = _TESSERACT_MIN_VERSION
except OSError as e:
_LOGGER.warn('Failed to extract tesseract version from executable: {}'.format(e))
version = _TESSERACT_MIN_VERSION
_LOGGER.info("Supporting tesseract v{}".format(version))
version = version_to_int(version)
config['cython_compile_time_env'] = {'TESSERACT_VERSION': version}
_LOGGER.info("Building with configs: {}".format(config))
return config
class BuildTesseract(build_ext):
"""Set build parameters obtained from pkg-config if available."""
def initialize_options(self):
build_ext.initialize_options(self)
try:
build_args = package_config()
except OSError as e:
if e.errno != errno.ENOENT:
_LOGGER.warn('Failed to run pkg-config: {}'.format(e))
build_args = get_tesseract_version()
_LOGGER.debug('build parameters: {}'.format(build_args))
for k, v in build_args.items():
setattr(self, k, v)
ext_modules = [Extension("tesserocr",
sources=["tesserocr.pyx"],
language="c++")]
setup(name='tesserocr',
version=find_version('tesserocr.pyx'),
description='A simple, Pillow-friendly, Python wrapper around tesseract-ocr API using Cython',
long_description=read('README.rst'),
url='https://github.com/sirfz/tesserocr',
author='Fayez Zouheiry',
license='MIT',
classifiers=[
'Development Status :: 5 - Production/Stable',
'Intended Audience :: Developers',
'Topic :: Multimedia :: Graphics :: Capture :: Scanners',
'Topic :: Multimedia :: Graphics :: Graphics Conversion',
'Topic :: Scientific/Engineering :: Image Recognition',
'License :: OSI Approved :: MIT License',
'Operating System :: POSIX',
'Programming Language :: Python :: 2.7',
'Programming Language :: Python :: 3',
'Programming Language :: Python :: 3.2',
'Programming Language :: Python :: 3.3',
'Programming Language :: Python :: 3.4',
'Programming Language :: Python :: 3.5',
'Programming Language :: Python :: Implementation :: CPython',
'Programming Language :: Python :: Implementation :: PyPy',
'Programming Language :: Cython'
],
keywords='Tesseract,tesseract-ocr,OCR,optical character recognition,PIL,Pillow,Cython',
# cmdclass={'build_ext': CustomBuildExit},
cmdclass={'build_ext': BuildTesseract},
ext_modules=ext_modules,
test_suite='tests'
)