-
Notifications
You must be signed in to change notification settings - Fork 0
/
install.py
executable file
·176 lines (148 loc) · 5.18 KB
/
install.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
#!/usr/bin/env python
# -*- coding: utf-8 -*-
"""Standalone Grow SDK installer. Downloads Grow SDK and sets up command aliases."""
import argparse
import datetime
import json
import os
import platform
import re
import sys
import tempfile
import urllib
import urllib2
import zipfile
DOWNLOAD_URL_FORMAT = 'https://github.com/grow/grow/releases/download/{version}/{name}'
RELEASES_API = 'https://api.github.com/repos/grow/grow/releases'
if 'Linux' in platform.system():
PLATFORM = 'linux'
elif 'Darwin' in platform.system():
PLATFORM = 'mac'
else:
print ('{} is not a supported platform. Please file an issue at '
'https://github.com/grow/grow/issues'.format(sys.platform))
sys.exit(-1)
def colorize(text):
return text.format(**{
'blue': '\033[0;34m',
'/blue': '\033[0;m',
'red': '\033[0;31m',
'/red': '\033[0;m',
'green': '\033[0;32m',
'/green': '\033[0;m',
'yellow': '\033[0;33m',
'/yellow': '\033[0;m',
'white': '\033[0;37m',
'/white': '\033[0;m',
})
def hai(text):
print colorize(text)
def orly(text):
resp = raw_input(text)
return resp.lower() == 'y'
def get_rc_path():
if PLATFORM == 'linux':
if os.path.exists(os.path.expanduser('~/.bash_profile')):
basename = '.bash_profile'
elif os.path.exists(os.path.expanduser('~/.profile')):
basename = '.profile'
else:
basename = '.bashrc'
elif PLATFORM == 'mac':
basename = '.bash_profile'
return '~/{}'.format(basename)
def install(rc_path=None, bin_path=None, force=False):
resp = json.loads(urllib.urlopen(RELEASES_API).read())
try:
release = resp[0]
except KeyError:
print 'There was a problem accessing the GitHub Releases API.'
if 'message' in resp:
print resp['message']
sys.exit(-1)
version = release['tag_name']
asset = None
for each_asset in release['assets']:
if PLATFORM in each_asset.get('name', '').lower():
asset = each_asset
break
if asset is None:
print 'Release not yet available for platform: {}.'.format(platform.system())
print 'Please try again in a few minutes.'
sys.exit(-1)
download_url = DOWNLOAD_URL_FORMAT.format(version=version, name=asset['name'])
bin_path = os.path.expanduser(bin_path or '~/bin/grow')
rc_path = os.path.expanduser(rc_path or get_rc_path())
alias_cmd = 'alias grow="{}"'.format(bin_path)
alias_comment = '# Added by Grow SDK Installer ({})'.format(datetime.datetime.now())
hai('{yellow}Welcome to the installer for Grow SDK v%s{/yellow}' % version)
hai('{yellow}Release notes: {/yellow}https://github.com/grow/grow/releases/tag/%s' % version)
hai('{blue}==>{/blue} {green}This script will install:{/green} %s' % bin_path)
has_alias = False
if os.path.exists(rc_path):
profile = open(rc_path).read()
has_alias = bool(re.search('^{}$'.format(alias_cmd), profile, re.MULTILINE))
if has_alias:
hai('{blue}[✓]{/blue} {green}You already have an alias for "grow" in:{/green} %s' % rc_path)
else:
hai('{blue}==>{/blue} {green}An alias for "grow" will be created in:{/green} %s' % rc_path)
if not force:
result = orly('Continue? [y/N]: ')
if not result:
hai('Aborted installation.')
sys.exit(-1)
remote = urllib2.urlopen(download_url)
try:
hai('Downloading from {}'.format(download_url))
local, temp_path = tempfile.mkstemp()
local = os.fdopen(local, 'w')
while True:
content = remote.read(1048576) # 1MB.
if not content:
sys.stdout.write(' done!\n')
break
local.write(content)
sys.stdout.write('.')
sys.stdout.flush()
remote.close()
local.close()
fp = open(temp_path, 'rb')
zp = zipfile.ZipFile(fp)
try:
zp.extract('grow', os.path.dirname(bin_path))
except IOError as e:
if 'Text file busy' in str(e):
hai('Unable to overwrite {}. Try closing Grow and installing again.'.format(bin_path))
hai('You can use the installer by running: curl https://install.growsdk.org | bash')
sys.exit(-1)
raise
fp.close()
hai('{blue}[✓]{/blue} {green}Installed Grow SDK to:{/green} %s' % bin_path)
stat = os.stat(bin_path)
os.chmod(bin_path, stat.st_mode | 0111)
finally:
os.remove(temp_path)
if not has_alias:
fp = open(rc_path, 'a')
fp.write('\n' + alias_comment + '\n')
fp.write(alias_cmd)
fp.close()
hai('{blue}[✓]{/blue} {green}Created "grow" alias in:{/green} %s' % rc_path)
hai('{green}All done. To use Grow SDK...{/green}')
hai(' ...reload your shell session OR use `source {}`,'.format(rc_path))
hai(' ...then type `grow` and press enter.')
def parse_args():
parser = argparse.ArgumentParser()
parser.add_argument('--bin-path', default=None,
help='Where to install `grow` executable.')
parser.add_argument('--force', dest='force', action='store_true',
help='Whether to force install and bypass prompts.')
parser.add_argument('--rc-path', default=None,
help='Profile to update with PATH.')
parser.set_defaults(force=False)
return parser.parse_args()
def main():
args = parse_args()
install(rc_path=args.rc_path, bin_path=args.bin_path, force=args.force)
if __name__ == '__main__':
main()