-
Notifications
You must be signed in to change notification settings - Fork 222
/
setup.py
248 lines (207 loc) · 8.52 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
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
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
# Copyright 2014-2016 Amazon.com, Inc. or its affiliates. All Rights Reserved.
# SPDX-License-Identifier: Apache-2.0
from __future__ import print_function
import glob
import sys
import os
import shutil
import xml.etree.ElementTree as ET
from setuptools import Command
from setuptools import setup
from setuptools.command.install import install
if sys.version_info[0] >= 3:
# Python 3
from urllib.request import urlopen
else:
# Python 2
from urllib2 import urlopen
#
# This script modifies the basic setuptools by adding some functionality to the standard
# "install" command and by adding an additional command "download_jars" which
# simplifies retrieval of the jars required to run the KCL multi-language daemon
# which is required to run the sample app included in this package.
#
# If a user runs the basic install:
#
# python setup.py install
#
# They will be notified of any jars that are downloaded for this package. Those jars
# will go in amazon_kclpy/jars so that they can be installed as part of this package's
# data.
#
# python setup.py download_jars
#
# Will retrieve the configured jars from maven and then advise the user
# to rerun the install command.
#
PACKAGE_NAME = 'amazon_kclpy'
JAR_DIRECTORY = os.path.join(PACKAGE_NAME, 'jars')
PACKAGE_VERSION = '3.0.1'
PYTHON_REQUIREMENTS = [
'boto3',
# argparse is part of python2.7 but must be declared for python2.6
'argparse',
]
REMOTE_MAVEN_PACKAGES_FILE = 'pom.xml'
class MavenJarDownloader:
def __init__(self, on_completion, destdir=JAR_DIRECTORY, packages_file=REMOTE_MAVEN_PACKAGES_FILE):
self.on_completion = on_completion
self.destdir = destdir
self.packages_file = packages_file
self.packages = self.parse_packages_from_pom()
def warning_string(self, missing_jars=[]):
s = '''The following jars were not installed because they were not
present in this package at the time of installation:'''
for jar in missing_jars:
s += '\n {jar}'.format(jar=jar)
s += '''
This doesn't affect the rest of the installation, but may make it more
difficult for you to run the sample app and get started.
You should consider running:
python setup.py download_jars
python setup.py install
Which will download the required jars and rerun the install.
'''
return s
def parse_packages_from_pom(self):
maven_root = ET.parse(self.packages_file).getroot()
maven_version = '{http://maven.apache.org/POM/4.0.0}'
# dictionary of common package versions encoded in `properties` section
properties = {f"${{{child.tag.replace(maven_version, '')}}}": child.text
for child in maven_root.find(f'{maven_version}properties').iter() if 'version' in child.tag}
packages = []
for dep in maven_root.iter(f'{maven_version}dependency'):
dependency = []
for attr in ['groupId', 'artifactId', 'version']:
val = dep.find(maven_version + attr).text
if val in properties:
dependency.append(properties[val])
else:
dependency.append(val)
packages.append(tuple(dependency))
return packages
def download_and_check(self):
self.download_files()
self.on_completion()
missing_jars = self.missing_jars()
if len(missing_jars) > 0:
raise RuntimeError(self.warning_string(missing_jars))
def package_destination(self, artifact_id, version):
return '{artifact_id}-{version}.jar'.format(artifact_id=artifact_id, version=version)
def missing_jars(self):
file_list = [os.path.join(self.destdir, self.package_destination(p[1], p[2])) for p in self.packages]
return [f for f in file_list if not os.path.isfile(f)] # The missing files
def package_url(self, group_id, artifact_id, version):
#
# Sample url:
# https://search.maven.org/remotecontent?filepath=org/apache/httpcomponents/httpclient/4.2/httpclient-4.2.jar
#
prefix = 'https://search.maven.org/remotecontent?filepath='
return '{prefix}{path}/{artifact_id}/{version}/{dest}'.format(
prefix=prefix,
path='/'.join(group_id.split('.')),
artifact_id=artifact_id,
version=version,
dest=self.package_destination(artifact_id, version))
def download_file(self, url, dest):
"""
Downloads a file at the url to the destination.
"""
print('Attempting to retrieve remote jar {url}'.format(url=url))
try:
response = urlopen(url)
with open(dest, 'wb') as dest_file:
shutil.copyfileobj(response, dest_file)
print('Saving {url} -> {dest}'.format(url=url, dest=dest))
except Exception as e:
print('Failed to retrieve {url}: {e}'.format(url=url, e=e))
return
def download_files(self):
for package in self.packages:
dest = os.path.join(self.destdir, self.package_destination(package[1], package[2]))
if os.path.isfile(dest):
print('Skipping download of {dest}'.format(dest=dest))
else:
url = self.package_url(package[0], package[1], package[2])
self.download_file(url, dest)
class DownloadJarsCommand(Command):
description = "Download the jar files needed to run the sample application"
user_options = []
def initialize_options(self):
pass
def finalize_options(self):
pass
def run(self):
"""
Runs when this command is given to setup.py
"""
downloader = MavenJarDownloader(on_completion=lambda : None)
downloader.download_files()
print('''
Now you should run:
python setup.py install
Which will finish the installation.
''')
class InstallThenCheckForJars(install):
def do_install(self):
install.run(self)
def run(self):
"""
We override the basic install command. First we download jars then
we run the basic install then we check whether the jars are present
in this package. If they aren't present we warn the user and give
them some advice on how to retry getting the jars.
"""
downloader = MavenJarDownloader(self.do_install)
downloader.download_and_check()
try:
from wheel.bdist_wheel import bdist_wheel
class BdistWheelWithJars(bdist_wheel):
"""
This overrides the bdist_wheel command, that handles building a binary wheel of the package.
Currently, as far as I can tell, binary wheel creation only occurs during the virtual environment creation.
The package that bdist_wheel comes from isn't a modeled dependency of this package, but is required for virtual
environment creation.
"""
def do_run(self):
bdist_wheel.run(self)
def run(self):
downloader = MavenJarDownloader(self.do_run)
downloader.download_and_check()
except ImportError:
pass
if __name__ == '__main__':
commands = {
'download_jars': DownloadJarsCommand,
'install': InstallThenCheckForJars,
}
try:
#
# BdistWheelWithJars will only be present if the wheel package is present, and that is present during
# virtual environment creation.
# It's important to note this is a hack. There doesn't appear to be a way to execute hooks around wheel
# creation by design. See https://github.com/pypa/packaging-problems/issues/64 for more information.
#
commands['bdist_wheel'] = BdistWheelWithJars
except NameError:
pass
setup(
name=PACKAGE_NAME,
version=PACKAGE_VERSION,
description='A python interface for the Amazon Kinesis Client Library MultiLangDaemon',
license='Apache-2.0',
packages=[PACKAGE_NAME, PACKAGE_NAME + "/v2", PACKAGE_NAME + "/v3", 'samples'],
scripts=glob.glob('samples/*py'),
package_data={
'': ['*.txt', '*.md'],
PACKAGE_NAME: ['jars/*'],
'samples': ['sample.properties'],
},
install_requires=PYTHON_REQUIREMENTS,
setup_requires=["pytest-runner"],
tests_require=["pytest", "mock"],
cmdclass=commands,
url="https://github.com/awslabs/amazon-kinesis-client-python",
keywords="amazon kinesis client library python",
zip_safe=False,
)