##// END OF EJS Templates
More work fixing some small bugs in the setup.py infrastructure. It is almost working!
Brian E Granger -
Show More
@@ -1,162 +1,165 b''
1 1 #!/usr/bin/env python
2 2 # -*- coding: utf-8 -*-
3 3 """Setup script for IPython.
4 4
5 5 Under Posix environments it works like a typical setup.py script.
6 6 Under Windows, the command sdist is not supported, since IPython
7 7 requires utilities which are not available under Windows."""
8 8
9 9 #-------------------------------------------------------------------------------
10 10 # Copyright (C) 2008 The IPython Development Team
11 11 #
12 12 # Distributed under the terms of the BSD License. The full license is in
13 13 # the file COPYING, distributed as part of this software.
14 14 #-------------------------------------------------------------------------------
15 15
16 16 #-------------------------------------------------------------------------------
17 17 # Imports
18 18 #-------------------------------------------------------------------------------
19 19
20 20 # Stdlib imports
21 21 import os
22 22 import sys
23 23
24 24 from glob import glob
25 25
26 26 # BEFORE importing distutils, remove MANIFEST. distutils doesn't properly
27 27 # update it when the contents of directories change.
28 28 if os.path.exists('MANIFEST'): os.remove('MANIFEST')
29 29
30 30 from distutils.core import setup
31 31
32 32 # Local imports
33 33 from IPython.genutils import target_update
34 34
35 35 from setupbase import (
36 36 setup_args,
37 37 find_packages,
38 38 find_package_data,
39 39 find_scripts,
40 40 find_data_files,
41 41 check_for_dependencies
42 42 )
43 43
44 44 isfile = os.path.isfile
45 45
46 46 #-------------------------------------------------------------------------------
47 47 # Handle OS specific things
48 48 #-------------------------------------------------------------------------------
49 49
50 50 if os.name == 'posix':
51 51 os_name = 'posix'
52 52 elif os.name in ['nt','dos']:
53 53 os_name = 'windows'
54 54 else:
55 55 print 'Unsupported operating system:',os.name
56 56 sys.exit(1)
57 57
58 58 # Under Windows, 'sdist' has not been supported. Now that the docs build with
59 59 # Sphinx it might work, but let's not turn it on until someone confirms that it
60 60 # actually works.
61 61 if os_name == 'windows' and 'sdist' in sys.argv:
62 62 print 'The sdist command is not available under Windows. Exiting.'
63 63 sys.exit(1)
64 64
65 65 #-------------------------------------------------------------------------------
66 66 # Things related to the IPython documentation
67 67 #-------------------------------------------------------------------------------
68 68
69 69 # update the manuals when building a source dist
70 70 if len(sys.argv) >= 2 and sys.argv[1] in ('sdist','bdist_rpm'):
71 71 import textwrap
72 72
73 73 # List of things to be updated. Each entry is a triplet of args for
74 74 # target_update()
75 75 to_update = [ # The do_sphinx scripts builds html and pdf, so just one
76 76 # target is enough to cover all manual generation
77 77 ('doc/manual/ipython.pdf',
78 78 ['IPython/Release.py','doc/source/ipython.rst'],
79 79 "cd doc && python do_sphinx.py" ),
80 80
81 81 # FIXME - Disabled for now: we need to redo an automatic way
82 82 # of generating the magic info inside the rst.
83 83 #('doc/magic.tex',
84 84 #['IPython/Magic.py'],
85 85 #"cd doc && ./update_magic.sh" ),
86 86
87 87 ('doc/ipython.1.gz',
88 88 ['doc/ipython.1'],
89 89 "cd doc && gzip -9c ipython.1 > ipython.1.gz"),
90 90
91 91 ('doc/pycolor.1.gz',
92 92 ['doc/pycolor.1'],
93 93 "cd doc && gzip -9c pycolor.1 > pycolor.1.gz"),
94 94 ]
95 95
96 96 [ target_update(*t) for t in to_update ]
97 97
98 98 #---------------------------------------------------------------------------
99 99 # Find all the packages, package data, scripts and data_files
100 100 #---------------------------------------------------------------------------
101 101
102 102 packages = find_packages()
103 103 package_data = find_package_data()
104 104 scripts = find_scripts()
105 105 data_files = find_data_files()
106 106
107 107 #---------------------------------------------------------------------------
108 108 # Handle dependencies and setuptools specific things
109 109 #---------------------------------------------------------------------------
110 110
111 111 # This dict is used for passing extra arguments that are setuptools
112 112 # specific to setup
113 113 setuptools_extra_args = {}
114 114
115 115 if 'setuptools' in sys.modules:
116 116 setuptools_extra_args['zip_safe'] = False
117 117 setuptools_extra_args['entry_points'] = {
118 118 'console_scripts': [
119 119 'ipython = IPython.ipapi:launch_new_instance',
120 120 'pycolor = IPython.PyColorize:main',
121 121 'ipcontroller = IPython.kernel.scripts.ipcontroller:main',
122 122 'ipengine = IPython.kernel.scripts.ipengine:main',
123 123 'ipcluster = IPython.kernel.scripts.ipcluster:main'
124 124 ]
125 125 }
126 126 setup_args["extras_require"] = dict(
127 127 kernel = [
128 128 "zope.interface>=3.4.1",
129 129 "Twisted>=8.0.1",
130 130 "foolscap>=0.2.6"
131 131 ],
132 132 doc=['Sphinx>=0.3','pygments'],
133 133 test='nose>=0.10.1',
134 134 security=["pyOpenSSL>=0.6"]
135 135 )
136 136 # Allow setuptools to handle the scripts
137 137 scripts = []
138 138 # eggs will lack docs, examples
139 139 data_files = []
140 140 else:
141 141 # package_data of setuptools was introduced to distutils in 2.4
142 142 cfgfiles = filter(isfile, glob('IPython/UserConfig/*'))
143 143 if sys.version_info < (2,4):
144 144 data_files.append(('lib', 'IPython/UserConfig', cfgfiles))
145 145 # If we are running without setuptools, call this function which will
146 146 # check for dependencies an inform the user what is needed. This is
147 147 # just to make life easy for users.
148 148 check_for_dependencies()
149 149
150 150
151 151 #---------------------------------------------------------------------------
152 152 # Do the actual setup now
153 153 #---------------------------------------------------------------------------
154 154
155 print packages
156
157
155 158 setup_args['packages'] = packages
156 159 setup_args['package_data'] = package_data
157 160 setup_args['scripts'] = scripts
158 161 setup_args['data_files'] = data_files
159 162 setup_args.update(setuptools_extra_args)
160 163
161 164 if __name__ == '__main__':
162 165 setup(**setup_args)
@@ -1,230 +1,230 b''
1 1 # encoding: utf-8
2 2
3 3 """
4 4 This module defines the things that are used in setup.py for building IPython
5 5
6 6 This includes:
7 7
8 8 * The basic arguments to setup
9 9 * Functions for finding things like packages, package data, etc.
10 10 * A function for checking dependencies.
11 11 """
12 12
13 13 __docformat__ = "restructuredtext en"
14 14
15 15 #-------------------------------------------------------------------------------
16 16 # Copyright (C) 2008 The IPython Development Team
17 17 #
18 18 # Distributed under the terms of the BSD License. The full license is in
19 19 # the file COPYING, distributed as part of this software.
20 20 #-------------------------------------------------------------------------------
21 21
22 22 #-------------------------------------------------------------------------------
23 23 # Imports
24 24 #-------------------------------------------------------------------------------
25 25
26 26 import os, sys
27 27
28 28 from glob import glob
29 29
30 30 from setupext import install_data_ext
31 31
32 32 #-------------------------------------------------------------------------------
33 33 # Useful globals and utility functions
34 34 #-------------------------------------------------------------------------------
35 35
36 36 # A few handy globals
37 37 isfile = os.path.isfile
38 38 pjoin = os.path.join
39 39
40 40 def oscmd(s):
41 41 print ">", s
42 42 os.system(s)
43 43
44 44 # A little utility we'll need below, since glob() does NOT allow you to do
45 45 # exclusion on multiple endings!
46 46 def file_doesnt_endwith(test,endings):
47 47 """Return true if test is a file and its name does NOT end with any
48 48 of the strings listed in endings."""
49 49 if not isfile(test):
50 50 return False
51 51 for e in endings:
52 52 if test.endswith(e):
53 53 return False
54 54 return True
55 55
56 56 #---------------------------------------------------------------------------
57 57 # Basic project information
58 58 #---------------------------------------------------------------------------
59 59
60 60 # Release.py contains version, authors, license, url, keywords, etc.
61 61 execfile(pjoin('IPython','Release.py'))
62 62
63 63 # Create a dict with the basic information
64 64 # This dict is eventually passed to setup after additional keys are added.
65 65 setup_args = dict(
66 66 name = name,
67 67 version = version,
68 68 description = description,
69 69 long_description = long_description,
70 70 author = author,
71 71 author_email = author_email,
72 72 url = url,
73 73 download_url = download_url,
74 74 license = license,
75 75 platforms = platforms,
76 76 keywords = keywords,
77 77 cmdclass = {'install_data': install_data_ext},
78 78 )
79 79
80 80
81 81 #---------------------------------------------------------------------------
82 82 # Find packages
83 83 #---------------------------------------------------------------------------
84 84
85 85 def add_package(packages, pname, config=False, tests=False, scripts=False, others=None):
86 86 """
87 87 Add a package to the list of packages, including certain subpackages.
88 88 """
89 packages.append('.'.join(['ipython1',pname]))
89 packages.append('.'.join(['IPython',pname]))
90 90 if config:
91 packages.append('.'.join(['ipython1',pname,'config']))
91 packages.append('.'.join(['IPython',pname,'config']))
92 92 if tests:
93 packages.append('.'.join(['ipython1',pname,'tests']))
93 packages.append('.'.join(['IPython',pname,'tests']))
94 94 if scripts:
95 packages.append('.'.join(['ipython1',pname,'scripts']))
95 packages.append('.'.join(['IPython',pname,'scripts']))
96 96 if others is not None:
97 97 for o in others:
98 packages.append('.'.join(['ipython1',pname,o]))
98 packages.append('.'.join(['IPython',pname,o]))
99 99
100 100 def find_packages():
101 101 """
102 102 Find all of IPython's packages.
103 103 """
104 packages = ['ipython']
104 packages = ['IPython']
105 105 add_package(packages, 'config', tests=True)
106 106 add_package(packages , 'Extensions')
107 107 add_package(packages, 'external')
108 108 add_package(packages, 'gui')
109 109 add_package(packages, 'gui.wx')
110 110 add_package(packages, 'kernel', config=True, tests=True, scripts=True)
111 111 add_package(packages, 'kernel.core', config=True, tests=True)
112 112 add_package(packages, 'testing', tests=True)
113 113 add_package(packages, 'tools', tests=True)
114 114 add_package(packages, 'UserConfig')
115 115 return packages
116 116
117 117 #---------------------------------------------------------------------------
118 118 # Find package data
119 119 #---------------------------------------------------------------------------
120 120
121 121 def find_package_data():
122 122 """
123 123 Find IPython's package_data.
124 124 """
125 125 # This is not enough for these things to appear in an sdist.
126 126 # We need to muck with the MANIFEST to get this to work
127 127 package_data = {'IPython.UserConfig' : ['*'] }
128 128 return package_data
129 129
130 130
131 131 #---------------------------------------------------------------------------
132 132 # Find data files
133 133 #---------------------------------------------------------------------------
134 134
135 135 def find_data_files():
136 136 """
137 137 Find IPython's data_files.
138 138 """
139 139
140 140 # I can't find how to make distutils create a nested dir. structure, so
141 141 # in the meantime do it manually. Butt ugly.
142 142 # Note that http://www.redbrick.dcu.ie/~noel/distutils.html, ex. 2/3, contain
143 143 # information on how to do this more cleanly once python 2.4 can be assumed.
144 144 # Thanks to Noel for the tip.
145 145 docdirbase = 'share/doc/ipython'
146 146 manpagebase = 'share/man/man1'
147 147
148 148 # We only need to exclude from this things NOT already excluded in the
149 149 # MANIFEST.in file.
150 150 exclude = ('.sh','.1.gz')
151 151 docfiles = filter(lambda f:file_doesnt_endwith(f,exclude),glob('doc/*'))
152 152 examfiles = filter(isfile, glob('doc/examples/*.py'))
153 153 manfiles = filter(isfile, glob('doc/manual/*'))
154 154 manstatic = filter(isfile, glob('doc/manual/_static/*'))
155 155 manpages = filter(isfile, glob('doc/*.1.gz'))
156 156 scriptfiles = filter(isfile, ['scripts/ipython','scripts/pycolor',
157 157 'scripts/irunner'])
158 158 igridhelpfiles = filter(isfile, glob('IPython/Extensions/igrid_help.*'))
159 159
160 160 data_files = [('data', docdirbase, docfiles),
161 161 ('data', pjoin(docdirbase, 'examples'),examfiles),
162 162 ('data', pjoin(docdirbase, 'manual'),manfiles),
163 163 ('data', pjoin(docdirbase, 'manual/_static'),manstatic),
164 164 ('data', manpagebase, manpages),
165 165 ('data',pjoin(docdirbase, 'extensions'),igridhelpfiles),
166 166 ]
167 167 return data_files
168 168
169 169 #---------------------------------------------------------------------------
170 170 # Find scripts
171 171 #---------------------------------------------------------------------------
172 172
173 173 def find_scripts():
174 174 """
175 175 Find IPython's scripts.
176 176 """
177 177 scripts = []
178 scripts.append('ipython1/kernel/scripts/ipengine')
179 scripts.append('ipython1/kernel/scripts/ipcontroller')
180 scripts.append('ipython1/kernel/scripts/ipcluster')
178 scripts.append('ipython/kernel/scripts/ipengine')
179 scripts.append('ipython/kernel/scripts/ipcontroller')
180 scripts.append('ipython/kernel/scripts/ipcluster')
181 181 scripts.append('scripts/ipython')
182 182 scripts.append('scripts/pycolor')
183 183 scripts.append('scripts/irunner')
184 184
185 185 # Script to be run by the windows binary installer after the default setup
186 186 # routine, to add shortcuts and similar windows-only things. Windows
187 187 # post-install scripts MUST reside in the scripts/ dir, otherwise distutils
188 188 # doesn't find them.
189 189 if 'bdist_wininst' in sys.argv:
190 190 if len(sys.argv) > 2 and ('sdist' in sys.argv or 'bdist_rpm' in sys.argv):
191 191 print >> sys.stderr,"ERROR: bdist_wininst must be run alone. Exiting."
192 192 sys.exit(1)
193 193 scripts.append('scripts/ipython_win_post_install.py')
194 194
195 195 return scripts
196 196
197 197 #---------------------------------------------------------------------------
198 198 # Find scripts
199 199 #---------------------------------------------------------------------------
200 200
201 201 def check_for_dependencies():
202 202 """Check for IPython's dependencies.
203 203
204 204 This function should NOT be called if running under setuptools!
205 205 """
206 206 from setupext.setupext import (
207 207 print_line, print_raw, print_status, print_message,
208 208 check_for_zopeinterface, check_for_twisted,
209 209 check_for_foolscap, check_for_pyopenssl,
210 210 check_for_sphinx, check_for_pygments,
211 211 check_for_nose, check_for_pexpect
212 212 )
213 213 print_line()
214 214 print_raw("BUILDING IPYTHON")
215 215 print_status('python', sys.version)
216 216 print_status('platform', sys.platform)
217 217 if sys.platform == 'win32':
218 218 print_status('Windows version', sys.getwindowsversion())
219 219
220 220 print_raw("")
221 221 print_raw("OPTIONAL DEPENDENCIES")
222 222
223 223 check_for_zopeinterface()
224 224 check_for_twisted()
225 225 check_for_foolscap()
226 226 check_for_pyopenssl()
227 227 check_for_sphinx()
228 228 check_for_pygments()
229 229 check_for_nose()
230 230 check_for_pexpect() No newline at end of file
@@ -1,177 +1,178 b''
1 1 # encoding: utf-8
2 2
3 3 __docformat__ = "restructuredtext en"
4 4
5 5 #-------------------------------------------------------------------------------
6 6 # Copyright (C) 2008 The IPython Development Team
7 7 #
8 8 # Distributed under the terms of the BSD License. The full license is in
9 9 # the file COPYING, distributed as part of this software.
10 10 #-------------------------------------------------------------------------------
11 11
12 12 #-------------------------------------------------------------------------------
13 13 # Imports
14 14 #-------------------------------------------------------------------------------
15 15
16 16 import sys, os
17 17 from textwrap import fill
18 18
19 19 display_status=True
20 20
21 21 if display_status:
22 22 def print_line(char='='):
23 23 print char * 76
24 24
25 25 def print_status(package, status):
26 26 initial_indent = "%22s: " % package
27 27 indent = ' ' * 24
28 28 print fill(str(status), width=76,
29 29 initial_indent=initial_indent,
30 30 subsequent_indent=indent)
31 31
32 32 def print_message(message):
33 33 indent = ' ' * 24 + "* "
34 34 print fill(str(message), width=76,
35 35 initial_indent=indent,
36 36 subsequent_indent=indent)
37 37
38 38 def print_raw(section):
39 39 print section
40 40 else:
41 41 def print_line(*args, **kwargs):
42 42 pass
43 43 print_status = print_message = print_raw = print_line
44 44
45 45 #-------------------------------------------------------------------------------
46 46 # Tests for specific packages
47 47 #-------------------------------------------------------------------------------
48 48
49 49 def check_for_ipython():
50 50 try:
51 51 import IPython
52 52 except ImportError:
53 53 print_status("IPython", "Not found")
54 54 return False
55 55 else:
56 56 print_status("IPython", IPython.__version__)
57 57 return True
58 58
59 59 def check_for_zopeinterface():
60 60 try:
61 61 import zope.interface
62 62 except ImportError:
63 63 print_status("zope.Interface", "Not found (required for parallel computing capabilities)")
64 64 return False
65 65 else:
66 66 print_status("Zope.Interface","yes")
67 67 return True
68 68
69 69 def check_for_twisted():
70 70 try:
71 71 import twisted
72 72 except ImportError:
73 73 print_status("Twisted", "Not found (required for parallel computing capabilities)")
74 74 return False
75 75 else:
76 76 major = twisted.version.major
77 77 minor = twisted.version.minor
78 78 micro = twisted.version.micro
79 print_status("Twisted", twisted.version.short())
79 80 if not ((major==2 and minor>=5 and micro>=0) or \
80 81 major>=8):
81 82 print_message("WARNING: IPython requires Twisted 2.5.0 or greater, you have version %s"%twisted.version.short())
83 print_message("Twisted is required for parallel computing capabilities")
82 84 return False
83 85 else:
84 print_status("Twisted", twisted.version.short())
85 86 return True
86 87
87 88 def check_for_foolscap():
88 89 try:
89 90 import foolscap
90 91 except ImportError:
91 92 print_status('Foolscap', "Not found (required for parallel computing capabilities)")
92 93 return False
93 94 else:
94 95 print_status('Foolscap', foolscap.__version__)
95 96 return True
96 97
97 98 def check_for_pyopenssl():
98 99 try:
99 100 import OpenSSL
100 101 except ImportError:
101 102 print_status('OpenSSL', "Not found (required if you want security in the parallel computing capabilities)")
102 103 return False
103 104 else:
104 105 print_status('OpenSSL', OpenSSL.__version__)
105 106 return True
106 107
107 108 def check_for_sphinx():
108 109 try:
109 110 import sphinx
110 111 except ImportError:
111 print_status('sphinx', "Not found (required for building the IPtyhon documentation)")
112 print_status('sphinx', "Not found (required for building documentation)")
112 113 return False
113 114 else:
114 115 print_status('sphinx', sphinx.__version__)
115 116 return True
116 117
117 118 def check_for_pygments():
118 119 try:
119 120 import pygments
120 121 except ImportError:
121 print_status('pygments', "Not found (required for syntax highlighting of code in the IPtyhon documentation)")
122 print_status('pygments', "Not found (required for syntax highlighting documentation)")
122 123 return False
123 124 else:
124 125 print_status('pygments', pygments.__version__)
125 126 return True
126 127
127 128 def check_for_nose():
128 129 try:
129 130 import nose
130 131 except ImportError:
131 print_status('nose', "Not found (required for running the IPython test suite)")
132 print_status('nose', "Not found (required for running the test suite)")
132 133 return False
133 134 else:
134 135 print_status('nose', nose.__version__)
135 136 return True
136 137
137 138 def check_for_pexpect():
138 139 try:
139 140 import pexpect
140 141 except ImportError:
141 142 print_status("pexpect", "no (required for running standalone doctests)")
142 143 return False
143 144 else:
144 145 print_status("pexpect", pexpect.__version__)
145 146 return True
146 147
147 148 def check_for_httplib2():
148 149 try:
149 150 import httplib2
150 151 except ImportError:
151 152 print_status("httplib2", "no (required for blocking http clients)")
152 153 return False
153 154 else:
154 155 print_status("httplib2","yes")
155 156 return True
156 157
157 158 def check_for_sqlalchemy():
158 159 try:
159 160 import sqlalchemy
160 161 except ImportError:
161 162 print_status("sqlalchemy", "no (required for the ipython1 notebook)")
162 163 return False
163 164 else:
164 165 print_status("sqlalchemy","yes")
165 166 return True
166 167
167 168 def check_for_simplejson():
168 169 try:
169 170 import simplejson
170 171 except ImportError:
171 172 print_status("simplejson", "no (required for the ipython1 notebook)")
172 173 return False
173 174 else:
174 175 print_status("simplejson","yes")
175 176 return True
176 177
177 178 No newline at end of file
General Comments 0
You need to be logged in to leave comments. Login now