|
@@
-1,1783
+1,1781
b''
|
|
1
|
# -*- coding: utf-8 -*-
|
|
1
|
# -*- coding: utf-8 -*-
|
|
2
|
"""
|
|
2
|
"""
|
|
3
|
General purpose utilities.
|
|
3
|
General purpose utilities.
|
|
4
|
|
|
4
|
|
|
5
|
This is a grab-bag of stuff I find useful in most programs I write. Some of
|
|
5
|
This is a grab-bag of stuff I find useful in most programs I write. Some of
|
|
6
|
these things are also convenient when working at the command line.
|
|
6
|
these things are also convenient when working at the command line.
|
|
7
|
|
|
7
|
|
|
8
|
$Id: genutils.py 2397 2007-05-26 10:06:26Z vivainio $"""
|
|
8
|
$Id: genutils.py 2398 2007-05-26 10:20:14Z vivainio $"""
|
|
9
|
|
|
9
|
|
|
10
|
#*****************************************************************************
|
|
10
|
#*****************************************************************************
|
|
11
|
# Copyright (C) 2001-2006 Fernando Perez. <fperez@colorado.edu>
|
|
11
|
# Copyright (C) 2001-2006 Fernando Perez. <fperez@colorado.edu>
|
|
12
|
#
|
|
12
|
#
|
|
13
|
# Distributed under the terms of the BSD License. The full license is in
|
|
13
|
# Distributed under the terms of the BSD License. The full license is in
|
|
14
|
# the file COPYING, distributed as part of this software.
|
|
14
|
# the file COPYING, distributed as part of this software.
|
|
15
|
#*****************************************************************************
|
|
15
|
#*****************************************************************************
|
|
16
|
|
|
16
|
|
|
17
|
from IPython import Release
|
|
17
|
from IPython import Release
|
|
18
|
__author__ = '%s <%s>' % Release.authors['Fernando']
|
|
18
|
__author__ = '%s <%s>' % Release.authors['Fernando']
|
|
19
|
__license__ = Release.license
|
|
19
|
__license__ = Release.license
|
|
20
|
|
|
20
|
|
|
21
|
#****************************************************************************
|
|
21
|
#****************************************************************************
|
|
22
|
# required modules from the Python standard library
|
|
22
|
# required modules from the Python standard library
|
|
23
|
import __main__
|
|
23
|
import __main__
|
|
24
|
import commands
|
|
24
|
import commands
|
|
25
|
import os
|
|
25
|
import os
|
|
26
|
import re
|
|
26
|
import re
|
|
27
|
import shlex
|
|
27
|
import shlex
|
|
28
|
import shutil
|
|
28
|
import shutil
|
|
29
|
import sys
|
|
29
|
import sys
|
|
30
|
import tempfile
|
|
30
|
import tempfile
|
|
31
|
import time
|
|
31
|
import time
|
|
32
|
import types
|
|
32
|
import types
|
|
33
|
import warnings
|
|
33
|
import warnings
|
|
34
|
|
|
34
|
|
|
35
|
# Other IPython utilities
|
|
35
|
# Other IPython utilities
|
|
36
|
import IPython
|
|
36
|
import IPython
|
|
37
|
from IPython.Itpl import Itpl,itpl,printpl
|
|
37
|
from IPython.Itpl import Itpl,itpl,printpl
|
|
38
|
from IPython import DPyGetOpt
|
|
38
|
from IPython import DPyGetOpt
|
|
39
|
from IPython.generics import result_display
|
|
39
|
from IPython.generics import result_display
|
|
40
|
from path import path
|
|
40
|
from path import path
|
|
41
|
if os.name == "nt":
|
|
41
|
if os.name == "nt":
|
|
42
|
from IPython.winconsole import get_console_size
|
|
42
|
from IPython.winconsole import get_console_size
|
|
43
|
|
|
43
|
|
|
44
|
#****************************************************************************
|
|
44
|
#****************************************************************************
|
|
45
|
# Exceptions
|
|
45
|
# Exceptions
|
|
46
|
class Error(Exception):
|
|
46
|
class Error(Exception):
|
|
47
|
"""Base class for exceptions in this module."""
|
|
47
|
"""Base class for exceptions in this module."""
|
|
48
|
pass
|
|
48
|
pass
|
|
49
|
|
|
49
|
|
|
50
|
#----------------------------------------------------------------------------
|
|
50
|
#----------------------------------------------------------------------------
|
|
51
|
class IOStream:
|
|
51
|
class IOStream:
|
|
52
|
def __init__(self,stream,fallback):
|
|
52
|
def __init__(self,stream,fallback):
|
|
53
|
if not hasattr(stream,'write') or not hasattr(stream,'flush'):
|
|
53
|
if not hasattr(stream,'write') or not hasattr(stream,'flush'):
|
|
54
|
stream = fallback
|
|
54
|
stream = fallback
|
|
55
|
self.stream = stream
|
|
55
|
self.stream = stream
|
|
56
|
self._swrite = stream.write
|
|
56
|
self._swrite = stream.write
|
|
57
|
self.flush = stream.flush
|
|
57
|
self.flush = stream.flush
|
|
58
|
|
|
58
|
|
|
59
|
def write(self,data):
|
|
59
|
def write(self,data):
|
|
60
|
try:
|
|
60
|
try:
|
|
61
|
self._swrite(data)
|
|
61
|
self._swrite(data)
|
|
62
|
except:
|
|
62
|
except:
|
|
63
|
try:
|
|
63
|
try:
|
|
64
|
# print handles some unicode issues which may trip a plain
|
|
64
|
# print handles some unicode issues which may trip a plain
|
|
65
|
# write() call. Attempt to emulate write() by using a
|
|
65
|
# write() call. Attempt to emulate write() by using a
|
|
66
|
# trailing comma
|
|
66
|
# trailing comma
|
|
67
|
print >> self.stream, data,
|
|
67
|
print >> self.stream, data,
|
|
68
|
except:
|
|
68
|
except:
|
|
69
|
# if we get here, something is seriously broken.
|
|
69
|
# if we get here, something is seriously broken.
|
|
70
|
print >> sys.stderr, \
|
|
70
|
print >> sys.stderr, \
|
|
71
|
'ERROR - failed to write data to stream:', self.stream
|
|
71
|
'ERROR - failed to write data to stream:', self.stream
|
|
72
|
|
|
72
|
|
|
73
|
def close(self):
|
|
73
|
def close(self):
|
|
74
|
pass
|
|
74
|
pass
|
|
75
|
|
|
75
|
|
|
76
|
|
|
76
|
|
|
77
|
class IOTerm:
|
|
77
|
class IOTerm:
|
|
78
|
""" Term holds the file or file-like objects for handling I/O operations.
|
|
78
|
""" Term holds the file or file-like objects for handling I/O operations.
|
|
79
|
|
|
79
|
|
|
80
|
These are normally just sys.stdin, sys.stdout and sys.stderr but for
|
|
80
|
These are normally just sys.stdin, sys.stdout and sys.stderr but for
|
|
81
|
Windows they can can replaced to allow editing the strings before they are
|
|
81
|
Windows they can can replaced to allow editing the strings before they are
|
|
82
|
displayed."""
|
|
82
|
displayed."""
|
|
83
|
|
|
83
|
|
|
84
|
# In the future, having IPython channel all its I/O operations through
|
|
84
|
# In the future, having IPython channel all its I/O operations through
|
|
85
|
# this class will make it easier to embed it into other environments which
|
|
85
|
# this class will make it easier to embed it into other environments which
|
|
86
|
# are not a normal terminal (such as a GUI-based shell)
|
|
86
|
# are not a normal terminal (such as a GUI-based shell)
|
|
87
|
def __init__(self,cin=None,cout=None,cerr=None):
|
|
87
|
def __init__(self,cin=None,cout=None,cerr=None):
|
|
88
|
self.cin = IOStream(cin,sys.stdin)
|
|
88
|
self.cin = IOStream(cin,sys.stdin)
|
|
89
|
self.cout = IOStream(cout,sys.stdout)
|
|
89
|
self.cout = IOStream(cout,sys.stdout)
|
|
90
|
self.cerr = IOStream(cerr,sys.stderr)
|
|
90
|
self.cerr = IOStream(cerr,sys.stderr)
|
|
91
|
|
|
91
|
|
|
92
|
# Global variable to be used for all I/O
|
|
92
|
# Global variable to be used for all I/O
|
|
93
|
Term = IOTerm()
|
|
93
|
Term = IOTerm()
|
|
94
|
|
|
94
|
|
|
95
|
import IPython.rlineimpl as readline
|
|
95
|
import IPython.rlineimpl as readline
|
|
96
|
# Remake Term to use the readline i/o facilities
|
|
96
|
# Remake Term to use the readline i/o facilities
|
|
97
|
if sys.platform == 'win32' and readline.have_readline:
|
|
97
|
if sys.platform == 'win32' and readline.have_readline:
|
|
98
|
|
|
98
|
|
|
99
|
Term = IOTerm(cout=readline._outputfile,cerr=readline._outputfile)
|
|
99
|
Term = IOTerm(cout=readline._outputfile,cerr=readline._outputfile)
|
|
100
|
|
|
100
|
|
|
101
|
|
|
101
|
|
|
102
|
#****************************************************************************
|
|
102
|
#****************************************************************************
|
|
103
|
# Generic warning/error printer, used by everything else
|
|
103
|
# Generic warning/error printer, used by everything else
|
|
104
|
def warn(msg,level=2,exit_val=1):
|
|
104
|
def warn(msg,level=2,exit_val=1):
|
|
105
|
"""Standard warning printer. Gives formatting consistency.
|
|
105
|
"""Standard warning printer. Gives formatting consistency.
|
|
106
|
|
|
106
|
|
|
107
|
Output is sent to Term.cerr (sys.stderr by default).
|
|
107
|
Output is sent to Term.cerr (sys.stderr by default).
|
|
108
|
|
|
108
|
|
|
109
|
Options:
|
|
109
|
Options:
|
|
110
|
|
|
110
|
|
|
111
|
-level(2): allows finer control:
|
|
111
|
-level(2): allows finer control:
|
|
112
|
0 -> Do nothing, dummy function.
|
|
112
|
0 -> Do nothing, dummy function.
|
|
113
|
1 -> Print message.
|
|
113
|
1 -> Print message.
|
|
114
|
2 -> Print 'WARNING:' + message. (Default level).
|
|
114
|
2 -> Print 'WARNING:' + message. (Default level).
|
|
115
|
3 -> Print 'ERROR:' + message.
|
|
115
|
3 -> Print 'ERROR:' + message.
|
|
116
|
4 -> Print 'FATAL ERROR:' + message and trigger a sys.exit(exit_val).
|
|
116
|
4 -> Print 'FATAL ERROR:' + message and trigger a sys.exit(exit_val).
|
|
117
|
|
|
117
|
|
|
118
|
-exit_val (1): exit value returned by sys.exit() for a level 4
|
|
118
|
-exit_val (1): exit value returned by sys.exit() for a level 4
|
|
119
|
warning. Ignored for all other levels."""
|
|
119
|
warning. Ignored for all other levels."""
|
|
120
|
|
|
120
|
|
|
121
|
if level>0:
|
|
121
|
if level>0:
|
|
122
|
header = ['','','WARNING: ','ERROR: ','FATAL ERROR: ']
|
|
122
|
header = ['','','WARNING: ','ERROR: ','FATAL ERROR: ']
|
|
123
|
print >> Term.cerr, '%s%s' % (header[level],msg)
|
|
123
|
print >> Term.cerr, '%s%s' % (header[level],msg)
|
|
124
|
if level == 4:
|
|
124
|
if level == 4:
|
|
125
|
print >> Term.cerr,'Exiting.\n'
|
|
125
|
print >> Term.cerr,'Exiting.\n'
|
|
126
|
sys.exit(exit_val)
|
|
126
|
sys.exit(exit_val)
|
|
127
|
|
|
127
|
|
|
128
|
def info(msg):
|
|
128
|
def info(msg):
|
|
129
|
"""Equivalent to warn(msg,level=1)."""
|
|
129
|
"""Equivalent to warn(msg,level=1)."""
|
|
130
|
|
|
130
|
|
|
131
|
warn(msg,level=1)
|
|
131
|
warn(msg,level=1)
|
|
132
|
|
|
132
|
|
|
133
|
def error(msg):
|
|
133
|
def error(msg):
|
|
134
|
"""Equivalent to warn(msg,level=3)."""
|
|
134
|
"""Equivalent to warn(msg,level=3)."""
|
|
135
|
|
|
135
|
|
|
136
|
warn(msg,level=3)
|
|
136
|
warn(msg,level=3)
|
|
137
|
|
|
137
|
|
|
138
|
def fatal(msg,exit_val=1):
|
|
138
|
def fatal(msg,exit_val=1):
|
|
139
|
"""Equivalent to warn(msg,exit_val=exit_val,level=4)."""
|
|
139
|
"""Equivalent to warn(msg,exit_val=exit_val,level=4)."""
|
|
140
|
|
|
140
|
|
|
141
|
warn(msg,exit_val=exit_val,level=4)
|
|
141
|
warn(msg,exit_val=exit_val,level=4)
|
|
142
|
|
|
142
|
|
|
143
|
#---------------------------------------------------------------------------
|
|
143
|
#---------------------------------------------------------------------------
|
|
144
|
# Debugging routines
|
|
144
|
# Debugging routines
|
|
145
|
#
|
|
145
|
#
|
|
146
|
def debugx(expr,pre_msg=''):
|
|
146
|
def debugx(expr,pre_msg=''):
|
|
147
|
"""Print the value of an expression from the caller's frame.
|
|
147
|
"""Print the value of an expression from the caller's frame.
|
|
148
|
|
|
148
|
|
|
149
|
Takes an expression, evaluates it in the caller's frame and prints both
|
|
149
|
Takes an expression, evaluates it in the caller's frame and prints both
|
|
150
|
the given expression and the resulting value (as well as a debug mark
|
|
150
|
the given expression and the resulting value (as well as a debug mark
|
|
151
|
indicating the name of the calling function. The input must be of a form
|
|
151
|
indicating the name of the calling function. The input must be of a form
|
|
152
|
suitable for eval().
|
|
152
|
suitable for eval().
|
|
153
|
|
|
153
|
|
|
154
|
An optional message can be passed, which will be prepended to the printed
|
|
154
|
An optional message can be passed, which will be prepended to the printed
|
|
155
|
expr->value pair."""
|
|
155
|
expr->value pair."""
|
|
156
|
|
|
156
|
|
|
157
|
cf = sys._getframe(1)
|
|
157
|
cf = sys._getframe(1)
|
|
158
|
print '[DBG:%s] %s%s -> %r' % (cf.f_code.co_name,pre_msg,expr,
|
|
158
|
print '[DBG:%s] %s%s -> %r' % (cf.f_code.co_name,pre_msg,expr,
|
|
159
|
eval(expr,cf.f_globals,cf.f_locals))
|
|
159
|
eval(expr,cf.f_globals,cf.f_locals))
|
|
160
|
|
|
160
|
|
|
161
|
# deactivate it by uncommenting the following line, which makes it a no-op
|
|
161
|
# deactivate it by uncommenting the following line, which makes it a no-op
|
|
162
|
#def debugx(expr,pre_msg=''): pass
|
|
162
|
#def debugx(expr,pre_msg=''): pass
|
|
163
|
|
|
163
|
|
|
164
|
#----------------------------------------------------------------------------
|
|
164
|
#----------------------------------------------------------------------------
|
|
165
|
StringTypes = types.StringTypes
|
|
165
|
StringTypes = types.StringTypes
|
|
166
|
|
|
166
|
|
|
167
|
# Basic timing functionality
|
|
167
|
# Basic timing functionality
|
|
168
|
|
|
168
|
|
|
169
|
# If possible (Unix), use the resource module instead of time.clock()
|
|
169
|
# If possible (Unix), use the resource module instead of time.clock()
|
|
170
|
try:
|
|
170
|
try:
|
|
171
|
import resource
|
|
171
|
import resource
|
|
172
|
def clocku():
|
|
172
|
def clocku():
|
|
173
|
"""clocku() -> floating point number
|
|
173
|
"""clocku() -> floating point number
|
|
174
|
|
|
174
|
|
|
175
|
Return the *USER* CPU time in seconds since the start of the process.
|
|
175
|
Return the *USER* CPU time in seconds since the start of the process.
|
|
176
|
This is done via a call to resource.getrusage, so it avoids the
|
|
176
|
This is done via a call to resource.getrusage, so it avoids the
|
|
177
|
wraparound problems in time.clock()."""
|
|
177
|
wraparound problems in time.clock()."""
|
|
178
|
|
|
178
|
|
|
179
|
return resource.getrusage(resource.RUSAGE_SELF)[0]
|
|
179
|
return resource.getrusage(resource.RUSAGE_SELF)[0]
|
|
180
|
|
|
180
|
|
|
181
|
def clocks():
|
|
181
|
def clocks():
|
|
182
|
"""clocks() -> floating point number
|
|
182
|
"""clocks() -> floating point number
|
|
183
|
|
|
183
|
|
|
184
|
Return the *SYSTEM* CPU time in seconds since the start of the process.
|
|
184
|
Return the *SYSTEM* CPU time in seconds since the start of the process.
|
|
185
|
This is done via a call to resource.getrusage, so it avoids the
|
|
185
|
This is done via a call to resource.getrusage, so it avoids the
|
|
186
|
wraparound problems in time.clock()."""
|
|
186
|
wraparound problems in time.clock()."""
|
|
187
|
|
|
187
|
|
|
188
|
return resource.getrusage(resource.RUSAGE_SELF)[1]
|
|
188
|
return resource.getrusage(resource.RUSAGE_SELF)[1]
|
|
189
|
|
|
189
|
|
|
190
|
def clock():
|
|
190
|
def clock():
|
|
191
|
"""clock() -> floating point number
|
|
191
|
"""clock() -> floating point number
|
|
192
|
|
|
192
|
|
|
193
|
Return the *TOTAL USER+SYSTEM* CPU time in seconds since the start of
|
|
193
|
Return the *TOTAL USER+SYSTEM* CPU time in seconds since the start of
|
|
194
|
the process. This is done via a call to resource.getrusage, so it
|
|
194
|
the process. This is done via a call to resource.getrusage, so it
|
|
195
|
avoids the wraparound problems in time.clock()."""
|
|
195
|
avoids the wraparound problems in time.clock()."""
|
|
196
|
|
|
196
|
|
|
197
|
u,s = resource.getrusage(resource.RUSAGE_SELF)[:2]
|
|
197
|
u,s = resource.getrusage(resource.RUSAGE_SELF)[:2]
|
|
198
|
return u+s
|
|
198
|
return u+s
|
|
199
|
|
|
199
|
|
|
200
|
def clock2():
|
|
200
|
def clock2():
|
|
201
|
"""clock2() -> (t_user,t_system)
|
|
201
|
"""clock2() -> (t_user,t_system)
|
|
202
|
|
|
202
|
|
|
203
|
Similar to clock(), but return a tuple of user/system times."""
|
|
203
|
Similar to clock(), but return a tuple of user/system times."""
|
|
204
|
return resource.getrusage(resource.RUSAGE_SELF)[:2]
|
|
204
|
return resource.getrusage(resource.RUSAGE_SELF)[:2]
|
|
205
|
|
|
205
|
|
|
206
|
except ImportError:
|
|
206
|
except ImportError:
|
|
207
|
# There is no distinction of user/system time under windows, so we just use
|
|
207
|
# There is no distinction of user/system time under windows, so we just use
|
|
208
|
# time.clock() for everything...
|
|
208
|
# time.clock() for everything...
|
|
209
|
clocku = clocks = clock = time.clock
|
|
209
|
clocku = clocks = clock = time.clock
|
|
210
|
def clock2():
|
|
210
|
def clock2():
|
|
211
|
"""Under windows, system CPU time can't be measured.
|
|
211
|
"""Under windows, system CPU time can't be measured.
|
|
212
|
|
|
212
|
|
|
213
|
This just returns clock() and zero."""
|
|
213
|
This just returns clock() and zero."""
|
|
214
|
return time.clock(),0.0
|
|
214
|
return time.clock(),0.0
|
|
215
|
|
|
215
|
|
|
216
|
def timings_out(reps,func,*args,**kw):
|
|
216
|
def timings_out(reps,func,*args,**kw):
|
|
217
|
"""timings_out(reps,func,*args,**kw) -> (t_total,t_per_call,output)
|
|
217
|
"""timings_out(reps,func,*args,**kw) -> (t_total,t_per_call,output)
|
|
218
|
|
|
218
|
|
|
219
|
Execute a function reps times, return a tuple with the elapsed total
|
|
219
|
Execute a function reps times, return a tuple with the elapsed total
|
|
220
|
CPU time in seconds, the time per call and the function's output.
|
|
220
|
CPU time in seconds, the time per call and the function's output.
|
|
221
|
|
|
221
|
|
|
222
|
Under Unix, the return value is the sum of user+system time consumed by
|
|
222
|
Under Unix, the return value is the sum of user+system time consumed by
|
|
223
|
the process, computed via the resource module. This prevents problems
|
|
223
|
the process, computed via the resource module. This prevents problems
|
|
224
|
related to the wraparound effect which the time.clock() function has.
|
|
224
|
related to the wraparound effect which the time.clock() function has.
|
|
225
|
|
|
225
|
|
|
226
|
Under Windows the return value is in wall clock seconds. See the
|
|
226
|
Under Windows the return value is in wall clock seconds. See the
|
|
227
|
documentation for the time module for more details."""
|
|
227
|
documentation for the time module for more details."""
|
|
228
|
|
|
228
|
|
|
229
|
reps = int(reps)
|
|
229
|
reps = int(reps)
|
|
230
|
assert reps >=1, 'reps must be >= 1'
|
|
230
|
assert reps >=1, 'reps must be >= 1'
|
|
231
|
if reps==1:
|
|
231
|
if reps==1:
|
|
232
|
start = clock()
|
|
232
|
start = clock()
|
|
233
|
out = func(*args,**kw)
|
|
233
|
out = func(*args,**kw)
|
|
234
|
tot_time = clock()-start
|
|
234
|
tot_time = clock()-start
|
|
235
|
else:
|
|
235
|
else:
|
|
236
|
rng = xrange(reps-1) # the last time is executed separately to store output
|
|
236
|
rng = xrange(reps-1) # the last time is executed separately to store output
|
|
237
|
start = clock()
|
|
237
|
start = clock()
|
|
238
|
for dummy in rng: func(*args,**kw)
|
|
238
|
for dummy in rng: func(*args,**kw)
|
|
239
|
out = func(*args,**kw) # one last time
|
|
239
|
out = func(*args,**kw) # one last time
|
|
240
|
tot_time = clock()-start
|
|
240
|
tot_time = clock()-start
|
|
241
|
av_time = tot_time / reps
|
|
241
|
av_time = tot_time / reps
|
|
242
|
return tot_time,av_time,out
|
|
242
|
return tot_time,av_time,out
|
|
243
|
|
|
243
|
|
|
244
|
def timings(reps,func,*args,**kw):
|
|
244
|
def timings(reps,func,*args,**kw):
|
|
245
|
"""timings(reps,func,*args,**kw) -> (t_total,t_per_call)
|
|
245
|
"""timings(reps,func,*args,**kw) -> (t_total,t_per_call)
|
|
246
|
|
|
246
|
|
|
247
|
Execute a function reps times, return a tuple with the elapsed total CPU
|
|
247
|
Execute a function reps times, return a tuple with the elapsed total CPU
|
|
248
|
time in seconds and the time per call. These are just the first two values
|
|
248
|
time in seconds and the time per call. These are just the first two values
|
|
249
|
in timings_out()."""
|
|
249
|
in timings_out()."""
|
|
250
|
|
|
250
|
|
|
251
|
return timings_out(reps,func,*args,**kw)[0:2]
|
|
251
|
return timings_out(reps,func,*args,**kw)[0:2]
|
|
252
|
|
|
252
|
|
|
253
|
def timing(func,*args,**kw):
|
|
253
|
def timing(func,*args,**kw):
|
|
254
|
"""timing(func,*args,**kw) -> t_total
|
|
254
|
"""timing(func,*args,**kw) -> t_total
|
|
255
|
|
|
255
|
|
|
256
|
Execute a function once, return the elapsed total CPU time in
|
|
256
|
Execute a function once, return the elapsed total CPU time in
|
|
257
|
seconds. This is just the first value in timings_out()."""
|
|
257
|
seconds. This is just the first value in timings_out()."""
|
|
258
|
|
|
258
|
|
|
259
|
return timings_out(1,func,*args,**kw)[0]
|
|
259
|
return timings_out(1,func,*args,**kw)[0]
|
|
260
|
|
|
260
|
|
|
261
|
#****************************************************************************
|
|
261
|
#****************************************************************************
|
|
262
|
# file and system
|
|
262
|
# file and system
|
|
263
|
|
|
263
|
|
|
264
|
def arg_split(s,posix=False):
|
|
264
|
def arg_split(s,posix=False):
|
|
265
|
"""Split a command line's arguments in a shell-like manner.
|
|
265
|
"""Split a command line's arguments in a shell-like manner.
|
|
266
|
|
|
266
|
|
|
267
|
This is a modified version of the standard library's shlex.split()
|
|
267
|
This is a modified version of the standard library's shlex.split()
|
|
268
|
function, but with a default of posix=False for splitting, so that quotes
|
|
268
|
function, but with a default of posix=False for splitting, so that quotes
|
|
269
|
in inputs are respected."""
|
|
269
|
in inputs are respected."""
|
|
270
|
|
|
270
|
|
|
271
|
# XXX - there may be unicode-related problems here!!! I'm not sure that
|
|
271
|
# XXX - there may be unicode-related problems here!!! I'm not sure that
|
|
272
|
# shlex is truly unicode-safe, so it might be necessary to do
|
|
272
|
# shlex is truly unicode-safe, so it might be necessary to do
|
|
273
|
#
|
|
273
|
#
|
|
274
|
# s = s.encode(sys.stdin.encoding)
|
|
274
|
# s = s.encode(sys.stdin.encoding)
|
|
275
|
#
|
|
275
|
#
|
|
276
|
# first, to ensure that shlex gets a normal string. Input from anyone who
|
|
276
|
# first, to ensure that shlex gets a normal string. Input from anyone who
|
|
277
|
# knows more about unicode and shlex than I would be good to have here...
|
|
277
|
# knows more about unicode and shlex than I would be good to have here...
|
|
278
|
lex = shlex.shlex(s, posix=posix)
|
|
278
|
lex = shlex.shlex(s, posix=posix)
|
|
279
|
lex.whitespace_split = True
|
|
279
|
lex.whitespace_split = True
|
|
280
|
return list(lex)
|
|
280
|
return list(lex)
|
|
281
|
|
|
281
|
|
|
282
|
def system(cmd,verbose=0,debug=0,header=''):
|
|
282
|
def system(cmd,verbose=0,debug=0,header=''):
|
|
283
|
"""Execute a system command, return its exit status.
|
|
283
|
"""Execute a system command, return its exit status.
|
|
284
|
|
|
284
|
|
|
285
|
Options:
|
|
285
|
Options:
|
|
286
|
|
|
286
|
|
|
287
|
- verbose (0): print the command to be executed.
|
|
287
|
- verbose (0): print the command to be executed.
|
|
288
|
|
|
288
|
|
|
289
|
- debug (0): only print, do not actually execute.
|
|
289
|
- debug (0): only print, do not actually execute.
|
|
290
|
|
|
290
|
|
|
291
|
- header (''): Header to print on screen prior to the executed command (it
|
|
291
|
- header (''): Header to print on screen prior to the executed command (it
|
|
292
|
is only prepended to the command, no newlines are added).
|
|
292
|
is only prepended to the command, no newlines are added).
|
|
293
|
|
|
293
|
|
|
294
|
Note: a stateful version of this function is available through the
|
|
294
|
Note: a stateful version of this function is available through the
|
|
295
|
SystemExec class."""
|
|
295
|
SystemExec class."""
|
|
296
|
|
|
296
|
|
|
297
|
stat = 0
|
|
297
|
stat = 0
|
|
298
|
if verbose or debug: print header+cmd
|
|
298
|
if verbose or debug: print header+cmd
|
|
299
|
sys.stdout.flush()
|
|
299
|
sys.stdout.flush()
|
|
300
|
if not debug: stat = os.system(cmd)
|
|
300
|
if not debug: stat = os.system(cmd)
|
|
301
|
return stat
|
|
301
|
return stat
|
|
302
|
|
|
302
|
|
|
303
|
# This function is used by ipython in a lot of places to make system calls.
|
|
303
|
# This function is used by ipython in a lot of places to make system calls.
|
|
304
|
# We need it to be slightly different under win32, due to the vagaries of
|
|
304
|
# We need it to be slightly different under win32, due to the vagaries of
|
|
305
|
# 'network shares'. A win32 override is below.
|
|
305
|
# 'network shares'. A win32 override is below.
|
|
306
|
|
|
306
|
|
|
307
|
def shell(cmd,verbose=0,debug=0,header=''):
|
|
307
|
def shell(cmd,verbose=0,debug=0,header=''):
|
|
308
|
"""Execute a command in the system shell, always return None.
|
|
308
|
"""Execute a command in the system shell, always return None.
|
|
309
|
|
|
309
|
|
|
310
|
Options:
|
|
310
|
Options:
|
|
311
|
|
|
311
|
|
|
312
|
- verbose (0): print the command to be executed.
|
|
312
|
- verbose (0): print the command to be executed.
|
|
313
|
|
|
313
|
|
|
314
|
- debug (0): only print, do not actually execute.
|
|
314
|
- debug (0): only print, do not actually execute.
|
|
315
|
|
|
315
|
|
|
316
|
- header (''): Header to print on screen prior to the executed command (it
|
|
316
|
- header (''): Header to print on screen prior to the executed command (it
|
|
317
|
is only prepended to the command, no newlines are added).
|
|
317
|
is only prepended to the command, no newlines are added).
|
|
318
|
|
|
318
|
|
|
319
|
Note: this is similar to genutils.system(), but it returns None so it can
|
|
319
|
Note: this is similar to genutils.system(), but it returns None so it can
|
|
320
|
be conveniently used in interactive loops without getting the return value
|
|
320
|
be conveniently used in interactive loops without getting the return value
|
|
321
|
(typically 0) printed many times."""
|
|
321
|
(typically 0) printed many times."""
|
|
322
|
|
|
322
|
|
|
323
|
stat = 0
|
|
323
|
stat = 0
|
|
324
|
if verbose or debug: print header+cmd
|
|
324
|
if verbose or debug: print header+cmd
|
|
325
|
# flush stdout so we don't mangle python's buffering
|
|
325
|
# flush stdout so we don't mangle python's buffering
|
|
326
|
sys.stdout.flush()
|
|
326
|
sys.stdout.flush()
|
|
327
|
if not debug:
|
|
327
|
if not debug:
|
|
328
|
os.system(cmd)
|
|
328
|
os.system(cmd)
|
|
329
|
|
|
329
|
|
|
330
|
# override shell() for win32 to deal with network shares
|
|
330
|
# override shell() for win32 to deal with network shares
|
|
331
|
if os.name in ('nt','dos'):
|
|
331
|
if os.name in ('nt','dos'):
|
|
332
|
|
|
332
|
|
|
333
|
shell_ori = shell
|
|
333
|
shell_ori = shell
|
|
334
|
|
|
334
|
|
|
335
|
def shell(cmd,verbose=0,debug=0,header=''):
|
|
335
|
def shell(cmd,verbose=0,debug=0,header=''):
|
|
336
|
if os.getcwd().startswith(r"\\"):
|
|
336
|
if os.getcwd().startswith(r"\\"):
|
|
337
|
path = os.getcwd()
|
|
337
|
path = os.getcwd()
|
|
338
|
# change to c drive (cannot be on UNC-share when issuing os.system,
|
|
338
|
# change to c drive (cannot be on UNC-share when issuing os.system,
|
|
339
|
# as cmd.exe cannot handle UNC addresses)
|
|
339
|
# as cmd.exe cannot handle UNC addresses)
|
|
340
|
os.chdir("c:")
|
|
340
|
os.chdir("c:")
|
|
341
|
# issue pushd to the UNC-share and then run the command
|
|
341
|
# issue pushd to the UNC-share and then run the command
|
|
342
|
try:
|
|
342
|
try:
|
|
343
|
shell_ori('"pushd %s&&"'%path+cmd,verbose,debug,header)
|
|
343
|
shell_ori('"pushd %s&&"'%path+cmd,verbose,debug,header)
|
|
344
|
finally:
|
|
344
|
finally:
|
|
345
|
os.chdir(path)
|
|
345
|
os.chdir(path)
|
|
346
|
else:
|
|
346
|
else:
|
|
347
|
shell_ori(cmd,verbose,debug,header)
|
|
347
|
shell_ori(cmd,verbose,debug,header)
|
|
348
|
|
|
348
|
|
|
349
|
shell.__doc__ = shell_ori.__doc__
|
|
349
|
shell.__doc__ = shell_ori.__doc__
|
|
350
|
|
|
350
|
|
|
351
|
def getoutput(cmd,verbose=0,debug=0,header='',split=0):
|
|
351
|
def getoutput(cmd,verbose=0,debug=0,header='',split=0):
|
|
352
|
"""Dummy substitute for perl's backquotes.
|
|
352
|
"""Dummy substitute for perl's backquotes.
|
|
353
|
|
|
353
|
|
|
354
|
Executes a command and returns the output.
|
|
354
|
Executes a command and returns the output.
|
|
355
|
|
|
355
|
|
|
356
|
Accepts the same arguments as system(), plus:
|
|
356
|
Accepts the same arguments as system(), plus:
|
|
357
|
|
|
357
|
|
|
358
|
- split(0): if true, the output is returned as a list split on newlines.
|
|
358
|
- split(0): if true, the output is returned as a list split on newlines.
|
|
359
|
|
|
359
|
|
|
360
|
Note: a stateful version of this function is available through the
|
|
360
|
Note: a stateful version of this function is available through the
|
|
361
|
SystemExec class.
|
|
361
|
SystemExec class.
|
|
362
|
|
|
362
|
|
|
363
|
This is pretty much deprecated and rarely used,
|
|
363
|
This is pretty much deprecated and rarely used,
|
|
364
|
genutils.getoutputerror may be what you need.
|
|
364
|
genutils.getoutputerror may be what you need.
|
|
365
|
|
|
365
|
|
|
366
|
"""
|
|
366
|
"""
|
|
367
|
|
|
367
|
|
|
368
|
if verbose or debug: print header+cmd
|
|
368
|
if verbose or debug: print header+cmd
|
|
369
|
if not debug:
|
|
369
|
if not debug:
|
|
370
|
output = os.popen(cmd).read()
|
|
370
|
output = os.popen(cmd).read()
|
|
371
|
# stipping last \n is here for backwards compat.
|
|
371
|
# stipping last \n is here for backwards compat.
|
|
372
|
if output.endswith('\n'):
|
|
372
|
if output.endswith('\n'):
|
|
373
|
output = output[:-1]
|
|
373
|
output = output[:-1]
|
|
374
|
if split:
|
|
374
|
if split:
|
|
375
|
return output.split('\n')
|
|
375
|
return output.split('\n')
|
|
376
|
else:
|
|
376
|
else:
|
|
377
|
return output
|
|
377
|
return output
|
|
378
|
|
|
378
|
|
|
379
|
def getoutputerror(cmd,verbose=0,debug=0,header='',split=0):
|
|
379
|
def getoutputerror(cmd,verbose=0,debug=0,header='',split=0):
|
|
380
|
"""Return (standard output,standard error) of executing cmd in a shell.
|
|
380
|
"""Return (standard output,standard error) of executing cmd in a shell.
|
|
381
|
|
|
381
|
|
|
382
|
Accepts the same arguments as system(), plus:
|
|
382
|
Accepts the same arguments as system(), plus:
|
|
383
|
|
|
383
|
|
|
384
|
- split(0): if true, each of stdout/err is returned as a list split on
|
|
384
|
- split(0): if true, each of stdout/err is returned as a list split on
|
|
385
|
newlines.
|
|
385
|
newlines.
|
|
386
|
|
|
386
|
|
|
387
|
Note: a stateful version of this function is available through the
|
|
387
|
Note: a stateful version of this function is available through the
|
|
388
|
SystemExec class."""
|
|
388
|
SystemExec class."""
|
|
389
|
|
|
389
|
|
|
390
|
if verbose or debug: print header+cmd
|
|
390
|
if verbose or debug: print header+cmd
|
|
391
|
if not cmd:
|
|
391
|
if not cmd:
|
|
392
|
if split:
|
|
392
|
if split:
|
|
393
|
return [],[]
|
|
393
|
return [],[]
|
|
394
|
else:
|
|
394
|
else:
|
|
395
|
return '',''
|
|
395
|
return '',''
|
|
396
|
if not debug:
|
|
396
|
if not debug:
|
|
397
|
pin,pout,perr = os.popen3(cmd)
|
|
397
|
pin,pout,perr = os.popen3(cmd)
|
|
398
|
tout = pout.read().rstrip()
|
|
398
|
tout = pout.read().rstrip()
|
|
399
|
terr = perr.read().rstrip()
|
|
399
|
terr = perr.read().rstrip()
|
|
400
|
pin.close()
|
|
400
|
pin.close()
|
|
401
|
pout.close()
|
|
401
|
pout.close()
|
|
402
|
perr.close()
|
|
402
|
perr.close()
|
|
403
|
if split:
|
|
403
|
if split:
|
|
404
|
return tout.split('\n'),terr.split('\n')
|
|
404
|
return tout.split('\n'),terr.split('\n')
|
|
405
|
else:
|
|
405
|
else:
|
|
406
|
return tout,terr
|
|
406
|
return tout,terr
|
|
407
|
|
|
407
|
|
|
408
|
# for compatibility with older naming conventions
|
|
408
|
# for compatibility with older naming conventions
|
|
409
|
xsys = system
|
|
409
|
xsys = system
|
|
410
|
bq = getoutput
|
|
410
|
bq = getoutput
|
|
411
|
|
|
411
|
|
|
412
|
class SystemExec:
|
|
412
|
class SystemExec:
|
|
413
|
"""Access the system and getoutput functions through a stateful interface.
|
|
413
|
"""Access the system and getoutput functions through a stateful interface.
|
|
414
|
|
|
414
|
|
|
415
|
Note: here we refer to the system and getoutput functions from this
|
|
415
|
Note: here we refer to the system and getoutput functions from this
|
|
416
|
library, not the ones from the standard python library.
|
|
416
|
library, not the ones from the standard python library.
|
|
417
|
|
|
417
|
|
|
418
|
This class offers the system and getoutput functions as methods, but the
|
|
418
|
This class offers the system and getoutput functions as methods, but the
|
|
419
|
verbose, debug and header parameters can be set for the instance (at
|
|
419
|
verbose, debug and header parameters can be set for the instance (at
|
|
420
|
creation time or later) so that they don't need to be specified on each
|
|
420
|
creation time or later) so that they don't need to be specified on each
|
|
421
|
call.
|
|
421
|
call.
|
|
422
|
|
|
422
|
|
|
423
|
For efficiency reasons, there's no way to override the parameters on a
|
|
423
|
For efficiency reasons, there's no way to override the parameters on a
|
|
424
|
per-call basis other than by setting instance attributes. If you need
|
|
424
|
per-call basis other than by setting instance attributes. If you need
|
|
425
|
local overrides, it's best to directly call system() or getoutput().
|
|
425
|
local overrides, it's best to directly call system() or getoutput().
|
|
426
|
|
|
426
|
|
|
427
|
The following names are provided as alternate options:
|
|
427
|
The following names are provided as alternate options:
|
|
428
|
- xsys: alias to system
|
|
428
|
- xsys: alias to system
|
|
429
|
- bq: alias to getoutput
|
|
429
|
- bq: alias to getoutput
|
|
430
|
|
|
430
|
|
|
431
|
An instance can then be created as:
|
|
431
|
An instance can then be created as:
|
|
432
|
>>> sysexec = SystemExec(verbose=1,debug=0,header='Calling: ')
|
|
432
|
>>> sysexec = SystemExec(verbose=1,debug=0,header='Calling: ')
|
|
433
|
|
|
433
|
|
|
434
|
And used as:
|
|
434
|
And used as:
|
|
435
|
>>> sysexec.xsys('pwd')
|
|
435
|
>>> sysexec.xsys('pwd')
|
|
436
|
>>> dirlist = sysexec.bq('ls -l')
|
|
436
|
>>> dirlist = sysexec.bq('ls -l')
|
|
437
|
"""
|
|
437
|
"""
|
|
438
|
|
|
438
|
|
|
439
|
def __init__(self,verbose=0,debug=0,header='',split=0):
|
|
439
|
def __init__(self,verbose=0,debug=0,header='',split=0):
|
|
440
|
"""Specify the instance's values for verbose, debug and header."""
|
|
440
|
"""Specify the instance's values for verbose, debug and header."""
|
|
441
|
setattr_list(self,'verbose debug header split')
|
|
441
|
setattr_list(self,'verbose debug header split')
|
|
442
|
|
|
442
|
|
|
443
|
def system(self,cmd):
|
|
443
|
def system(self,cmd):
|
|
444
|
"""Stateful interface to system(), with the same keyword parameters."""
|
|
444
|
"""Stateful interface to system(), with the same keyword parameters."""
|
|
445
|
|
|
445
|
|
|
446
|
system(cmd,self.verbose,self.debug,self.header)
|
|
446
|
system(cmd,self.verbose,self.debug,self.header)
|
|
447
|
|
|
447
|
|
|
448
|
def shell(self,cmd):
|
|
448
|
def shell(self,cmd):
|
|
449
|
"""Stateful interface to shell(), with the same keyword parameters."""
|
|
449
|
"""Stateful interface to shell(), with the same keyword parameters."""
|
|
450
|
|
|
450
|
|
|
451
|
shell(cmd,self.verbose,self.debug,self.header)
|
|
451
|
shell(cmd,self.verbose,self.debug,self.header)
|
|
452
|
|
|
452
|
|
|
453
|
xsys = system # alias
|
|
453
|
xsys = system # alias
|
|
454
|
|
|
454
|
|
|
455
|
def getoutput(self,cmd):
|
|
455
|
def getoutput(self,cmd):
|
|
456
|
"""Stateful interface to getoutput()."""
|
|
456
|
"""Stateful interface to getoutput()."""
|
|
457
|
|
|
457
|
|
|
458
|
return getoutput(cmd,self.verbose,self.debug,self.header,self.split)
|
|
458
|
return getoutput(cmd,self.verbose,self.debug,self.header,self.split)
|
|
459
|
|
|
459
|
|
|
460
|
def getoutputerror(self,cmd):
|
|
460
|
def getoutputerror(self,cmd):
|
|
461
|
"""Stateful interface to getoutputerror()."""
|
|
461
|
"""Stateful interface to getoutputerror()."""
|
|
462
|
|
|
462
|
|
|
463
|
return getoutputerror(cmd,self.verbose,self.debug,self.header,self.split)
|
|
463
|
return getoutputerror(cmd,self.verbose,self.debug,self.header,self.split)
|
|
464
|
|
|
464
|
|
|
465
|
bq = getoutput # alias
|
|
465
|
bq = getoutput # alias
|
|
466
|
|
|
466
|
|
|
467
|
#-----------------------------------------------------------------------------
|
|
467
|
#-----------------------------------------------------------------------------
|
|
468
|
def mutex_opts(dict,ex_op):
|
|
468
|
def mutex_opts(dict,ex_op):
|
|
469
|
"""Check for presence of mutually exclusive keys in a dict.
|
|
469
|
"""Check for presence of mutually exclusive keys in a dict.
|
|
470
|
|
|
470
|
|
|
471
|
Call: mutex_opts(dict,[[op1a,op1b],[op2a,op2b]...]"""
|
|
471
|
Call: mutex_opts(dict,[[op1a,op1b],[op2a,op2b]...]"""
|
|
472
|
for op1,op2 in ex_op:
|
|
472
|
for op1,op2 in ex_op:
|
|
473
|
if op1 in dict and op2 in dict:
|
|
473
|
if op1 in dict and op2 in dict:
|
|
474
|
raise ValueError,'\n*** ERROR in Arguments *** '\
|
|
474
|
raise ValueError,'\n*** ERROR in Arguments *** '\
|
|
475
|
'Options '+op1+' and '+op2+' are mutually exclusive.'
|
|
475
|
'Options '+op1+' and '+op2+' are mutually exclusive.'
|
|
476
|
|
|
476
|
|
|
477
|
#-----------------------------------------------------------------------------
|
|
477
|
#-----------------------------------------------------------------------------
|
|
478
|
def get_py_filename(name):
|
|
478
|
def get_py_filename(name):
|
|
479
|
"""Return a valid python filename in the current directory.
|
|
479
|
"""Return a valid python filename in the current directory.
|
|
480
|
|
|
480
|
|
|
481
|
If the given name is not a file, it adds '.py' and searches again.
|
|
481
|
If the given name is not a file, it adds '.py' and searches again.
|
|
482
|
Raises IOError with an informative message if the file isn't found."""
|
|
482
|
Raises IOError with an informative message if the file isn't found."""
|
|
483
|
|
|
483
|
|
|
484
|
name = os.path.expanduser(name)
|
|
484
|
name = os.path.expanduser(name)
|
|
485
|
if not os.path.isfile(name) and not name.endswith('.py'):
|
|
485
|
if not os.path.isfile(name) and not name.endswith('.py'):
|
|
486
|
name += '.py'
|
|
486
|
name += '.py'
|
|
487
|
if os.path.isfile(name):
|
|
487
|
if os.path.isfile(name):
|
|
488
|
return name
|
|
488
|
return name
|
|
489
|
else:
|
|
489
|
else:
|
|
490
|
raise IOError,'File `%s` not found.' % name
|
|
490
|
raise IOError,'File `%s` not found.' % name
|
|
491
|
|
|
491
|
|
|
492
|
#-----------------------------------------------------------------------------
|
|
492
|
#-----------------------------------------------------------------------------
|
|
493
|
def filefind(fname,alt_dirs = None):
|
|
493
|
def filefind(fname,alt_dirs = None):
|
|
494
|
"""Return the given filename either in the current directory, if it
|
|
494
|
"""Return the given filename either in the current directory, if it
|
|
495
|
exists, or in a specified list of directories.
|
|
495
|
exists, or in a specified list of directories.
|
|
496
|
|
|
496
|
|
|
497
|
~ expansion is done on all file and directory names.
|
|
497
|
~ expansion is done on all file and directory names.
|
|
498
|
|
|
498
|
|
|
499
|
Upon an unsuccessful search, raise an IOError exception."""
|
|
499
|
Upon an unsuccessful search, raise an IOError exception."""
|
|
500
|
|
|
500
|
|
|
501
|
if alt_dirs is None:
|
|
501
|
if alt_dirs is None:
|
|
502
|
try:
|
|
502
|
try:
|
|
503
|
alt_dirs = get_home_dir()
|
|
503
|
alt_dirs = get_home_dir()
|
|
504
|
except HomeDirError:
|
|
504
|
except HomeDirError:
|
|
505
|
alt_dirs = os.getcwd()
|
|
505
|
alt_dirs = os.getcwd()
|
|
506
|
search = [fname] + list_strings(alt_dirs)
|
|
506
|
search = [fname] + list_strings(alt_dirs)
|
|
507
|
search = map(os.path.expanduser,search)
|
|
507
|
search = map(os.path.expanduser,search)
|
|
508
|
#print 'search list for',fname,'list:',search # dbg
|
|
508
|
#print 'search list for',fname,'list:',search # dbg
|
|
509
|
fname = search[0]
|
|
509
|
fname = search[0]
|
|
510
|
if os.path.isfile(fname):
|
|
510
|
if os.path.isfile(fname):
|
|
511
|
return fname
|
|
511
|
return fname
|
|
512
|
for direc in search[1:]:
|
|
512
|
for direc in search[1:]:
|
|
513
|
testname = os.path.join(direc,fname)
|
|
513
|
testname = os.path.join(direc,fname)
|
|
514
|
#print 'testname',testname # dbg
|
|
514
|
#print 'testname',testname # dbg
|
|
515
|
if os.path.isfile(testname):
|
|
515
|
if os.path.isfile(testname):
|
|
516
|
return testname
|
|
516
|
return testname
|
|
517
|
raise IOError,'File' + `fname` + \
|
|
517
|
raise IOError,'File' + `fname` + \
|
|
518
|
' not found in current or supplied directories:' + `alt_dirs`
|
|
518
|
' not found in current or supplied directories:' + `alt_dirs`
|
|
519
|
|
|
519
|
|
|
520
|
#----------------------------------------------------------------------------
|
|
520
|
#----------------------------------------------------------------------------
|
|
521
|
def file_read(filename):
|
|
521
|
def file_read(filename):
|
|
522
|
"""Read a file and close it. Returns the file source."""
|
|
522
|
"""Read a file and close it. Returns the file source."""
|
|
523
|
fobj = open(filename,'r');
|
|
523
|
fobj = open(filename,'r');
|
|
524
|
source = fobj.read();
|
|
524
|
source = fobj.read();
|
|
525
|
fobj.close()
|
|
525
|
fobj.close()
|
|
526
|
return source
|
|
526
|
return source
|
|
527
|
|
|
527
|
|
|
528
|
def file_readlines(filename):
|
|
528
|
def file_readlines(filename):
|
|
529
|
"""Read a file and close it. Returns the file source using readlines()."""
|
|
529
|
"""Read a file and close it. Returns the file source using readlines()."""
|
|
530
|
fobj = open(filename,'r');
|
|
530
|
fobj = open(filename,'r');
|
|
531
|
lines = fobj.readlines();
|
|
531
|
lines = fobj.readlines();
|
|
532
|
fobj.close()
|
|
532
|
fobj.close()
|
|
533
|
return lines
|
|
533
|
return lines
|
|
534
|
|
|
534
|
|
|
535
|
#----------------------------------------------------------------------------
|
|
535
|
#----------------------------------------------------------------------------
|
|
536
|
def target_outdated(target,deps):
|
|
536
|
def target_outdated(target,deps):
|
|
537
|
"""Determine whether a target is out of date.
|
|
537
|
"""Determine whether a target is out of date.
|
|
538
|
|
|
538
|
|
|
539
|
target_outdated(target,deps) -> 1/0
|
|
539
|
target_outdated(target,deps) -> 1/0
|
|
540
|
|
|
540
|
|
|
541
|
deps: list of filenames which MUST exist.
|
|
541
|
deps: list of filenames which MUST exist.
|
|
542
|
target: single filename which may or may not exist.
|
|
542
|
target: single filename which may or may not exist.
|
|
543
|
|
|
543
|
|
|
544
|
If target doesn't exist or is older than any file listed in deps, return
|
|
544
|
If target doesn't exist or is older than any file listed in deps, return
|
|
545
|
true, otherwise return false.
|
|
545
|
true, otherwise return false.
|
|
546
|
"""
|
|
546
|
"""
|
|
547
|
try:
|
|
547
|
try:
|
|
548
|
target_time = os.path.getmtime(target)
|
|
548
|
target_time = os.path.getmtime(target)
|
|
549
|
except os.error:
|
|
549
|
except os.error:
|
|
550
|
return 1
|
|
550
|
return 1
|
|
551
|
for dep in deps:
|
|
551
|
for dep in deps:
|
|
552
|
dep_time = os.path.getmtime(dep)
|
|
552
|
dep_time = os.path.getmtime(dep)
|
|
553
|
if dep_time > target_time:
|
|
553
|
if dep_time > target_time:
|
|
554
|
#print "For target",target,"Dep failed:",dep # dbg
|
|
554
|
#print "For target",target,"Dep failed:",dep # dbg
|
|
555
|
#print "times (dep,tar):",dep_time,target_time # dbg
|
|
555
|
#print "times (dep,tar):",dep_time,target_time # dbg
|
|
556
|
return 1
|
|
556
|
return 1
|
|
557
|
return 0
|
|
557
|
return 0
|
|
558
|
|
|
558
|
|
|
559
|
#-----------------------------------------------------------------------------
|
|
559
|
#-----------------------------------------------------------------------------
|
|
560
|
def target_update(target,deps,cmd):
|
|
560
|
def target_update(target,deps,cmd):
|
|
561
|
"""Update a target with a given command given a list of dependencies.
|
|
561
|
"""Update a target with a given command given a list of dependencies.
|
|
562
|
|
|
562
|
|
|
563
|
target_update(target,deps,cmd) -> runs cmd if target is outdated.
|
|
563
|
target_update(target,deps,cmd) -> runs cmd if target is outdated.
|
|
564
|
|
|
564
|
|
|
565
|
This is just a wrapper around target_outdated() which calls the given
|
|
565
|
This is just a wrapper around target_outdated() which calls the given
|
|
566
|
command if target is outdated."""
|
|
566
|
command if target is outdated."""
|
|
567
|
|
|
567
|
|
|
568
|
if target_outdated(target,deps):
|
|
568
|
if target_outdated(target,deps):
|
|
569
|
xsys(cmd)
|
|
569
|
xsys(cmd)
|
|
570
|
|
|
570
|
|
|
571
|
#----------------------------------------------------------------------------
|
|
571
|
#----------------------------------------------------------------------------
|
|
572
|
def unquote_ends(istr):
|
|
572
|
def unquote_ends(istr):
|
|
573
|
"""Remove a single pair of quotes from the endpoints of a string."""
|
|
573
|
"""Remove a single pair of quotes from the endpoints of a string."""
|
|
574
|
|
|
574
|
|
|
575
|
if not istr:
|
|
575
|
if not istr:
|
|
576
|
return istr
|
|
576
|
return istr
|
|
577
|
if (istr[0]=="'" and istr[-1]=="'") or \
|
|
577
|
if (istr[0]=="'" and istr[-1]=="'") or \
|
|
578
|
(istr[0]=='"' and istr[-1]=='"'):
|
|
578
|
(istr[0]=='"' and istr[-1]=='"'):
|
|
579
|
return istr[1:-1]
|
|
579
|
return istr[1:-1]
|
|
580
|
else:
|
|
580
|
else:
|
|
581
|
return istr
|
|
581
|
return istr
|
|
582
|
|
|
582
|
|
|
583
|
#----------------------------------------------------------------------------
|
|
583
|
#----------------------------------------------------------------------------
|
|
584
|
def process_cmdline(argv,names=[],defaults={},usage=''):
|
|
584
|
def process_cmdline(argv,names=[],defaults={},usage=''):
|
|
585
|
""" Process command-line options and arguments.
|
|
585
|
""" Process command-line options and arguments.
|
|
586
|
|
|
586
|
|
|
587
|
Arguments:
|
|
587
|
Arguments:
|
|
588
|
|
|
588
|
|
|
589
|
- argv: list of arguments, typically sys.argv.
|
|
589
|
- argv: list of arguments, typically sys.argv.
|
|
590
|
|
|
590
|
|
|
591
|
- names: list of option names. See DPyGetOpt docs for details on options
|
|
591
|
- names: list of option names. See DPyGetOpt docs for details on options
|
|
592
|
syntax.
|
|
592
|
syntax.
|
|
593
|
|
|
593
|
|
|
594
|
- defaults: dict of default values.
|
|
594
|
- defaults: dict of default values.
|
|
595
|
|
|
595
|
|
|
596
|
- usage: optional usage notice to print if a wrong argument is passed.
|
|
596
|
- usage: optional usage notice to print if a wrong argument is passed.
|
|
597
|
|
|
597
|
|
|
598
|
Return a dict of options and a list of free arguments."""
|
|
598
|
Return a dict of options and a list of free arguments."""
|
|
599
|
|
|
599
|
|
|
600
|
getopt = DPyGetOpt.DPyGetOpt()
|
|
600
|
getopt = DPyGetOpt.DPyGetOpt()
|
|
601
|
getopt.setIgnoreCase(0)
|
|
601
|
getopt.setIgnoreCase(0)
|
|
602
|
getopt.parseConfiguration(names)
|
|
602
|
getopt.parseConfiguration(names)
|
|
603
|
|
|
603
|
|
|
604
|
try:
|
|
604
|
try:
|
|
605
|
getopt.processArguments(argv)
|
|
605
|
getopt.processArguments(argv)
|
|
606
|
except:
|
|
606
|
except:
|
|
607
|
print usage
|
|
607
|
print usage
|
|
608
|
warn(`sys.exc_value`,level=4)
|
|
608
|
warn(`sys.exc_value`,level=4)
|
|
609
|
|
|
609
|
|
|
610
|
defaults.update(getopt.optionValues)
|
|
610
|
defaults.update(getopt.optionValues)
|
|
611
|
args = getopt.freeValues
|
|
611
|
args = getopt.freeValues
|
|
612
|
|
|
612
|
|
|
613
|
return defaults,args
|
|
613
|
return defaults,args
|
|
614
|
|
|
614
|
|
|
615
|
#----------------------------------------------------------------------------
|
|
615
|
#----------------------------------------------------------------------------
|
|
616
|
def optstr2types(ostr):
|
|
616
|
def optstr2types(ostr):
|
|
617
|
"""Convert a string of option names to a dict of type mappings.
|
|
617
|
"""Convert a string of option names to a dict of type mappings.
|
|
618
|
|
|
618
|
|
|
619
|
optstr2types(str) -> {None:'string_opts',int:'int_opts',float:'float_opts'}
|
|
619
|
optstr2types(str) -> {None:'string_opts',int:'int_opts',float:'float_opts'}
|
|
620
|
|
|
620
|
|
|
621
|
This is used to get the types of all the options in a string formatted
|
|
621
|
This is used to get the types of all the options in a string formatted
|
|
622
|
with the conventions of DPyGetOpt. The 'type' None is used for options
|
|
622
|
with the conventions of DPyGetOpt. The 'type' None is used for options
|
|
623
|
which are strings (they need no further conversion). This function's main
|
|
623
|
which are strings (they need no further conversion). This function's main
|
|
624
|
use is to get a typemap for use with read_dict().
|
|
624
|
use is to get a typemap for use with read_dict().
|
|
625
|
"""
|
|
625
|
"""
|
|
626
|
|
|
626
|
|
|
627
|
typeconv = {None:'',int:'',float:''}
|
|
627
|
typeconv = {None:'',int:'',float:''}
|
|
628
|
typemap = {'s':None,'i':int,'f':float}
|
|
628
|
typemap = {'s':None,'i':int,'f':float}
|
|
629
|
opt_re = re.compile(r'([\w]*)([^:=]*:?=?)([sif]?)')
|
|
629
|
opt_re = re.compile(r'([\w]*)([^:=]*:?=?)([sif]?)')
|
|
630
|
|
|
630
|
|
|
631
|
for w in ostr.split():
|
|
631
|
for w in ostr.split():
|
|
632
|
oname,alias,otype = opt_re.match(w).groups()
|
|
632
|
oname,alias,otype = opt_re.match(w).groups()
|
|
633
|
if otype == '' or alias == '!': # simple switches are integers too
|
|
633
|
if otype == '' or alias == '!': # simple switches are integers too
|
|
634
|
otype = 'i'
|
|
634
|
otype = 'i'
|
|
635
|
typeconv[typemap[otype]] += oname + ' '
|
|
635
|
typeconv[typemap[otype]] += oname + ' '
|
|
636
|
return typeconv
|
|
636
|
return typeconv
|
|
637
|
|
|
637
|
|
|
638
|
#----------------------------------------------------------------------------
|
|
638
|
#----------------------------------------------------------------------------
|
|
639
|
def read_dict(filename,type_conv=None,**opt):
|
|
639
|
def read_dict(filename,type_conv=None,**opt):
|
|
640
|
|
|
640
|
|
|
641
|
"""Read a dictionary of key=value pairs from an input file, optionally
|
|
641
|
"""Read a dictionary of key=value pairs from an input file, optionally
|
|
642
|
performing conversions on the resulting values.
|
|
642
|
performing conversions on the resulting values.
|
|
643
|
|
|
643
|
|
|
644
|
read_dict(filename,type_conv,**opt) -> dict
|
|
644
|
read_dict(filename,type_conv,**opt) -> dict
|
|
645
|
|
|
645
|
|
|
646
|
Only one value per line is accepted, the format should be
|
|
646
|
Only one value per line is accepted, the format should be
|
|
647
|
# optional comments are ignored
|
|
647
|
# optional comments are ignored
|
|
648
|
key value\n
|
|
648
|
key value\n
|
|
649
|
|
|
649
|
|
|
650
|
Args:
|
|
650
|
Args:
|
|
651
|
|
|
651
|
|
|
652
|
- type_conv: A dictionary specifying which keys need to be converted to
|
|
652
|
- type_conv: A dictionary specifying which keys need to be converted to
|
|
653
|
which types. By default all keys are read as strings. This dictionary
|
|
653
|
which types. By default all keys are read as strings. This dictionary
|
|
654
|
should have as its keys valid conversion functions for strings
|
|
654
|
should have as its keys valid conversion functions for strings
|
|
655
|
(int,long,float,complex, or your own). The value for each key
|
|
655
|
(int,long,float,complex, or your own). The value for each key
|
|
656
|
(converter) should be a whitespace separated string containing the names
|
|
656
|
(converter) should be a whitespace separated string containing the names
|
|
657
|
of all the entries in the file to be converted using that function. For
|
|
657
|
of all the entries in the file to be converted using that function. For
|
|
658
|
keys to be left alone, use None as the conversion function (only needed
|
|
658
|
keys to be left alone, use None as the conversion function (only needed
|
|
659
|
with purge=1, see below).
|
|
659
|
with purge=1, see below).
|
|
660
|
|
|
660
|
|
|
661
|
- opt: dictionary with extra options as below (default in parens)
|
|
661
|
- opt: dictionary with extra options as below (default in parens)
|
|
662
|
|
|
662
|
|
|
663
|
purge(0): if set to 1, all keys *not* listed in type_conv are purged out
|
|
663
|
purge(0): if set to 1, all keys *not* listed in type_conv are purged out
|
|
664
|
of the dictionary to be returned. If purge is going to be used, the
|
|
664
|
of the dictionary to be returned. If purge is going to be used, the
|
|
665
|
set of keys to be left as strings also has to be explicitly specified
|
|
665
|
set of keys to be left as strings also has to be explicitly specified
|
|
666
|
using the (non-existent) conversion function None.
|
|
666
|
using the (non-existent) conversion function None.
|
|
667
|
|
|
667
|
|
|
668
|
fs(None): field separator. This is the key/value separator to be used
|
|
668
|
fs(None): field separator. This is the key/value separator to be used
|
|
669
|
when parsing the file. The None default means any whitespace [behavior
|
|
669
|
when parsing the file. The None default means any whitespace [behavior
|
|
670
|
of string.split()].
|
|
670
|
of string.split()].
|
|
671
|
|
|
671
|
|
|
672
|
strip(0): if 1, strip string values of leading/trailinig whitespace.
|
|
672
|
strip(0): if 1, strip string values of leading/trailinig whitespace.
|
|
673
|
|
|
673
|
|
|
674
|
warn(1): warning level if requested keys are not found in file.
|
|
674
|
warn(1): warning level if requested keys are not found in file.
|
|
675
|
- 0: silently ignore.
|
|
675
|
- 0: silently ignore.
|
|
676
|
- 1: inform but proceed.
|
|
676
|
- 1: inform but proceed.
|
|
677
|
- 2: raise KeyError exception.
|
|
677
|
- 2: raise KeyError exception.
|
|
678
|
|
|
678
|
|
|
679
|
no_empty(0): if 1, remove keys with whitespace strings as a value.
|
|
679
|
no_empty(0): if 1, remove keys with whitespace strings as a value.
|
|
680
|
|
|
680
|
|
|
681
|
unique([]): list of keys (or space separated string) which can't be
|
|
681
|
unique([]): list of keys (or space separated string) which can't be
|
|
682
|
repeated. If one such key is found in the file, each new instance
|
|
682
|
repeated. If one such key is found in the file, each new instance
|
|
683
|
overwrites the previous one. For keys not listed here, the behavior is
|
|
683
|
overwrites the previous one. For keys not listed here, the behavior is
|
|
684
|
to make a list of all appearances.
|
|
684
|
to make a list of all appearances.
|
|
685
|
|
|
685
|
|
|
686
|
Example:
|
|
686
|
Example:
|
|
687
|
If the input file test.ini has:
|
|
687
|
If the input file test.ini has:
|
|
688
|
i 3
|
|
688
|
i 3
|
|
689
|
x 4.5
|
|
689
|
x 4.5
|
|
690
|
y 5.5
|
|
690
|
y 5.5
|
|
691
|
s hi ho
|
|
691
|
s hi ho
|
|
692
|
Then:
|
|
692
|
Then:
|
|
693
|
|
|
693
|
|
|
694
|
>>> type_conv={int:'i',float:'x',None:'s'}
|
|
694
|
>>> type_conv={int:'i',float:'x',None:'s'}
|
|
695
|
>>> read_dict('test.ini')
|
|
695
|
>>> read_dict('test.ini')
|
|
696
|
{'i': '3', 's': 'hi ho', 'x': '4.5', 'y': '5.5'}
|
|
696
|
{'i': '3', 's': 'hi ho', 'x': '4.5', 'y': '5.5'}
|
|
697
|
>>> read_dict('test.ini',type_conv)
|
|
697
|
>>> read_dict('test.ini',type_conv)
|
|
698
|
{'i': 3, 's': 'hi ho', 'x': 4.5, 'y': '5.5'}
|
|
698
|
{'i': 3, 's': 'hi ho', 'x': 4.5, 'y': '5.5'}
|
|
699
|
>>> read_dict('test.ini',type_conv,purge=1)
|
|
699
|
>>> read_dict('test.ini',type_conv,purge=1)
|
|
700
|
{'i': 3, 's': 'hi ho', 'x': 4.5}
|
|
700
|
{'i': 3, 's': 'hi ho', 'x': 4.5}
|
|
701
|
"""
|
|
701
|
"""
|
|
702
|
|
|
702
|
|
|
703
|
# starting config
|
|
703
|
# starting config
|
|
704
|
opt.setdefault('purge',0)
|
|
704
|
opt.setdefault('purge',0)
|
|
705
|
opt.setdefault('fs',None) # field sep defaults to any whitespace
|
|
705
|
opt.setdefault('fs',None) # field sep defaults to any whitespace
|
|
706
|
opt.setdefault('strip',0)
|
|
706
|
opt.setdefault('strip',0)
|
|
707
|
opt.setdefault('warn',1)
|
|
707
|
opt.setdefault('warn',1)
|
|
708
|
opt.setdefault('no_empty',0)
|
|
708
|
opt.setdefault('no_empty',0)
|
|
709
|
opt.setdefault('unique','')
|
|
709
|
opt.setdefault('unique','')
|
|
710
|
if type(opt['unique']) in StringTypes:
|
|
710
|
if type(opt['unique']) in StringTypes:
|
|
711
|
unique_keys = qw(opt['unique'])
|
|
711
|
unique_keys = qw(opt['unique'])
|
|
712
|
elif type(opt['unique']) in (types.TupleType,types.ListType):
|
|
712
|
elif type(opt['unique']) in (types.TupleType,types.ListType):
|
|
713
|
unique_keys = opt['unique']
|
|
713
|
unique_keys = opt['unique']
|
|
714
|
else:
|
|
714
|
else:
|
|
715
|
raise ValueError, 'Unique keys must be given as a string, List or Tuple'
|
|
715
|
raise ValueError, 'Unique keys must be given as a string, List or Tuple'
|
|
716
|
|
|
716
|
|
|
717
|
dict = {}
|
|
717
|
dict = {}
|
|
718
|
# first read in table of values as strings
|
|
718
|
# first read in table of values as strings
|
|
719
|
file = open(filename,'r')
|
|
719
|
file = open(filename,'r')
|
|
720
|
for line in file.readlines():
|
|
720
|
for line in file.readlines():
|
|
721
|
line = line.strip()
|
|
721
|
line = line.strip()
|
|
722
|
if len(line) and line[0]=='#': continue
|
|
722
|
if len(line) and line[0]=='#': continue
|
|
723
|
if len(line)>0:
|
|
723
|
if len(line)>0:
|
|
724
|
lsplit = line.split(opt['fs'],1)
|
|
724
|
lsplit = line.split(opt['fs'],1)
|
|
725
|
try:
|
|
725
|
try:
|
|
726
|
key,val = lsplit
|
|
726
|
key,val = lsplit
|
|
727
|
except ValueError:
|
|
727
|
except ValueError:
|
|
728
|
key,val = lsplit[0],''
|
|
728
|
key,val = lsplit[0],''
|
|
729
|
key = key.strip()
|
|
729
|
key = key.strip()
|
|
730
|
if opt['strip']: val = val.strip()
|
|
730
|
if opt['strip']: val = val.strip()
|
|
731
|
if val == "''" or val == '""': val = ''
|
|
731
|
if val == "''" or val == '""': val = ''
|
|
732
|
if opt['no_empty'] and (val=='' or val.isspace()):
|
|
732
|
if opt['no_empty'] and (val=='' or val.isspace()):
|
|
733
|
continue
|
|
733
|
continue
|
|
734
|
# if a key is found more than once in the file, build a list
|
|
734
|
# if a key is found more than once in the file, build a list
|
|
735
|
# unless it's in the 'unique' list. In that case, last found in file
|
|
735
|
# unless it's in the 'unique' list. In that case, last found in file
|
|
736
|
# takes precedence. User beware.
|
|
736
|
# takes precedence. User beware.
|
|
737
|
try:
|
|
737
|
try:
|
|
738
|
if dict[key] and key in unique_keys:
|
|
738
|
if dict[key] and key in unique_keys:
|
|
739
|
dict[key] = val
|
|
739
|
dict[key] = val
|
|
740
|
elif type(dict[key]) is types.ListType:
|
|
740
|
elif type(dict[key]) is types.ListType:
|
|
741
|
dict[key].append(val)
|
|
741
|
dict[key].append(val)
|
|
742
|
else:
|
|
742
|
else:
|
|
743
|
dict[key] = [dict[key],val]
|
|
743
|
dict[key] = [dict[key],val]
|
|
744
|
except KeyError:
|
|
744
|
except KeyError:
|
|
745
|
dict[key] = val
|
|
745
|
dict[key] = val
|
|
746
|
# purge if requested
|
|
746
|
# purge if requested
|
|
747
|
if opt['purge']:
|
|
747
|
if opt['purge']:
|
|
748
|
accepted_keys = qwflat(type_conv.values())
|
|
748
|
accepted_keys = qwflat(type_conv.values())
|
|
749
|
for key in dict.keys():
|
|
749
|
for key in dict.keys():
|
|
750
|
if key in accepted_keys: continue
|
|
750
|
if key in accepted_keys: continue
|
|
751
|
del(dict[key])
|
|
751
|
del(dict[key])
|
|
752
|
# now convert if requested
|
|
752
|
# now convert if requested
|
|
753
|
if type_conv==None: return dict
|
|
753
|
if type_conv==None: return dict
|
|
754
|
conversions = type_conv.keys()
|
|
754
|
conversions = type_conv.keys()
|
|
755
|
try: conversions.remove(None)
|
|
755
|
try: conversions.remove(None)
|
|
756
|
except: pass
|
|
756
|
except: pass
|
|
757
|
for convert in conversions:
|
|
757
|
for convert in conversions:
|
|
758
|
for val in qw(type_conv[convert]):
|
|
758
|
for val in qw(type_conv[convert]):
|
|
759
|
try:
|
|
759
|
try:
|
|
760
|
dict[val] = convert(dict[val])
|
|
760
|
dict[val] = convert(dict[val])
|
|
761
|
except KeyError,e:
|
|
761
|
except KeyError,e:
|
|
762
|
if opt['warn'] == 0:
|
|
762
|
if opt['warn'] == 0:
|
|
763
|
pass
|
|
763
|
pass
|
|
764
|
elif opt['warn'] == 1:
|
|
764
|
elif opt['warn'] == 1:
|
|
765
|
print >>sys.stderr, 'Warning: key',val,\
|
|
765
|
print >>sys.stderr, 'Warning: key',val,\
|
|
766
|
'not found in file',filename
|
|
766
|
'not found in file',filename
|
|
767
|
elif opt['warn'] == 2:
|
|
767
|
elif opt['warn'] == 2:
|
|
768
|
raise KeyError,e
|
|
768
|
raise KeyError,e
|
|
769
|
else:
|
|
769
|
else:
|
|
770
|
raise ValueError,'Warning level must be 0,1 or 2'
|
|
770
|
raise ValueError,'Warning level must be 0,1 or 2'
|
|
771
|
|
|
771
|
|
|
772
|
return dict
|
|
772
|
return dict
|
|
773
|
|
|
773
|
|
|
774
|
#----------------------------------------------------------------------------
|
|
774
|
#----------------------------------------------------------------------------
|
|
775
|
def flag_calls(func):
|
|
775
|
def flag_calls(func):
|
|
776
|
"""Wrap a function to detect and flag when it gets called.
|
|
776
|
"""Wrap a function to detect and flag when it gets called.
|
|
777
|
|
|
777
|
|
|
778
|
This is a decorator which takes a function and wraps it in a function with
|
|
778
|
This is a decorator which takes a function and wraps it in a function with
|
|
779
|
a 'called' attribute. wrapper.called is initialized to False.
|
|
779
|
a 'called' attribute. wrapper.called is initialized to False.
|
|
780
|
|
|
780
|
|
|
781
|
The wrapper.called attribute is set to False right before each call to the
|
|
781
|
The wrapper.called attribute is set to False right before each call to the
|
|
782
|
wrapped function, so if the call fails it remains False. After the call
|
|
782
|
wrapped function, so if the call fails it remains False. After the call
|
|
783
|
completes, wrapper.called is set to True and the output is returned.
|
|
783
|
completes, wrapper.called is set to True and the output is returned.
|
|
784
|
|
|
784
|
|
|
785
|
Testing for truth in wrapper.called allows you to determine if a call to
|
|
785
|
Testing for truth in wrapper.called allows you to determine if a call to
|
|
786
|
func() was attempted and succeeded."""
|
|
786
|
func() was attempted and succeeded."""
|
|
787
|
|
|
787
|
|
|
788
|
def wrapper(*args,**kw):
|
|
788
|
def wrapper(*args,**kw):
|
|
789
|
wrapper.called = False
|
|
789
|
wrapper.called = False
|
|
790
|
out = func(*args,**kw)
|
|
790
|
out = func(*args,**kw)
|
|
791
|
wrapper.called = True
|
|
791
|
wrapper.called = True
|
|
792
|
return out
|
|
792
|
return out
|
|
793
|
|
|
793
|
|
|
794
|
wrapper.called = False
|
|
794
|
wrapper.called = False
|
|
795
|
wrapper.__doc__ = func.__doc__
|
|
795
|
wrapper.__doc__ = func.__doc__
|
|
796
|
return wrapper
|
|
796
|
return wrapper
|
|
797
|
|
|
797
|
|
|
798
|
#----------------------------------------------------------------------------
|
|
798
|
#----------------------------------------------------------------------------
|
|
799
|
class HomeDirError(Error):
|
|
799
|
class HomeDirError(Error):
|
|
800
|
pass
|
|
800
|
pass
|
|
801
|
|
|
801
|
|
|
802
|
def get_home_dir():
|
|
802
|
def get_home_dir():
|
|
803
|
"""Return the closest possible equivalent to a 'home' directory.
|
|
803
|
"""Return the closest possible equivalent to a 'home' directory.
|
|
804
|
|
|
804
|
|
|
805
|
We first try $HOME. Absent that, on NT it's $HOMEDRIVE\$HOMEPATH.
|
|
805
|
We first try $HOME. Absent that, on NT it's $HOMEDRIVE\$HOMEPATH.
|
|
806
|
|
|
806
|
|
|
807
|
Currently only Posix and NT are implemented, a HomeDirError exception is
|
|
807
|
Currently only Posix and NT are implemented, a HomeDirError exception is
|
|
808
|
raised for all other OSes. """
|
|
808
|
raised for all other OSes. """
|
|
809
|
|
|
809
|
|
|
810
|
isdir = os.path.isdir
|
|
810
|
isdir = os.path.isdir
|
|
811
|
env = os.environ
|
|
811
|
env = os.environ
|
|
812
|
|
|
812
|
|
|
813
|
# first, check py2exe distribution root directory for _ipython.
|
|
813
|
# first, check py2exe distribution root directory for _ipython.
|
|
814
|
# This overrides all. Normally does not exist.
|
|
814
|
# This overrides all. Normally does not exist.
|
|
815
|
if '\\library.zip\\' in IPython.__file__.lower():
|
|
815
|
if '\\library.zip\\' in IPython.__file__.lower():
|
|
816
|
root, rest = IPython.__file__.lower().split('library.zip')
|
|
816
|
root, rest = IPython.__file__.lower().split('library.zip')
|
|
817
|
if os.path.isdir(root + '_ipython'):
|
|
817
|
if os.path.isdir(root + '_ipython'):
|
|
818
|
return root
|
|
818
|
return root
|
|
819
|
|
|
819
|
|
|
820
|
try:
|
|
820
|
try:
|
|
821
|
homedir = env['HOME']
|
|
821
|
homedir = env['HOME']
|
|
822
|
if not isdir(homedir):
|
|
822
|
if not isdir(homedir):
|
|
823
|
# in case a user stuck some string which does NOT resolve to a
|
|
823
|
# in case a user stuck some string which does NOT resolve to a
|
|
824
|
# valid path, it's as good as if we hadn't foud it
|
|
824
|
# valid path, it's as good as if we hadn't foud it
|
|
825
|
raise KeyError
|
|
825
|
raise KeyError
|
|
826
|
return homedir
|
|
826
|
return homedir
|
|
827
|
except KeyError:
|
|
827
|
except KeyError:
|
|
828
|
if os.name == 'posix':
|
|
828
|
if os.name == 'posix':
|
|
829
|
raise HomeDirError,'undefined $HOME, IPython can not proceed.'
|
|
829
|
raise HomeDirError,'undefined $HOME, IPython can not proceed.'
|
|
830
|
elif os.name == 'nt':
|
|
830
|
elif os.name == 'nt':
|
|
831
|
# For some strange reason, win9x returns 'nt' for os.name.
|
|
831
|
# For some strange reason, win9x returns 'nt' for os.name.
|
|
832
|
try:
|
|
832
|
try:
|
|
833
|
homedir = os.path.join(env['HOMEDRIVE'],env['HOMEPATH'])
|
|
833
|
homedir = os.path.join(env['HOMEDRIVE'],env['HOMEPATH'])
|
|
834
|
if not isdir(homedir):
|
|
834
|
if not isdir(homedir):
|
|
835
|
homedir = os.path.join(env['USERPROFILE'])
|
|
835
|
homedir = os.path.join(env['USERPROFILE'])
|
|
836
|
if not isdir(homedir):
|
|
836
|
if not isdir(homedir):
|
|
837
|
raise HomeDirError
|
|
837
|
raise HomeDirError
|
|
838
|
return homedir
|
|
838
|
return homedir
|
|
839
|
except:
|
|
839
|
except:
|
|
840
|
try:
|
|
840
|
try:
|
|
841
|
# Use the registry to get the 'My Documents' folder.
|
|
841
|
# Use the registry to get the 'My Documents' folder.
|
|
842
|
import _winreg as wreg
|
|
842
|
import _winreg as wreg
|
|
843
|
key = wreg.OpenKey(wreg.HKEY_CURRENT_USER,
|
|
843
|
key = wreg.OpenKey(wreg.HKEY_CURRENT_USER,
|
|
844
|
"Software\Microsoft\Windows\CurrentVersion\Explorer\Shell Folders")
|
|
844
|
"Software\Microsoft\Windows\CurrentVersion\Explorer\Shell Folders")
|
|
845
|
homedir = wreg.QueryValueEx(key,'Personal')[0]
|
|
845
|
homedir = wreg.QueryValueEx(key,'Personal')[0]
|
|
846
|
key.Close()
|
|
846
|
key.Close()
|
|
847
|
if not isdir(homedir):
|
|
847
|
if not isdir(homedir):
|
|
848
|
e = ('Invalid "Personal" folder registry key '
|
|
848
|
e = ('Invalid "Personal" folder registry key '
|
|
849
|
'typically "My Documents".\n'
|
|
849
|
'typically "My Documents".\n'
|
|
850
|
'Value: %s\n'
|
|
850
|
'Value: %s\n'
|
|
851
|
'This is not a valid directory on your system.' %
|
|
851
|
'This is not a valid directory on your system.' %
|
|
852
|
homedir)
|
|
852
|
homedir)
|
|
853
|
raise HomeDirError(e)
|
|
853
|
raise HomeDirError(e)
|
|
854
|
return homedir
|
|
854
|
return homedir
|
|
855
|
except HomeDirError:
|
|
855
|
except HomeDirError:
|
|
856
|
raise
|
|
856
|
raise
|
|
857
|
except:
|
|
857
|
except:
|
|
858
|
return 'C:\\'
|
|
858
|
return 'C:\\'
|
|
859
|
elif os.name == 'dos':
|
|
859
|
elif os.name == 'dos':
|
|
860
|
# Desperate, may do absurd things in classic MacOS. May work under DOS.
|
|
860
|
# Desperate, may do absurd things in classic MacOS. May work under DOS.
|
|
861
|
return 'C:\\'
|
|
861
|
return 'C:\\'
|
|
862
|
else:
|
|
862
|
else:
|
|
863
|
raise HomeDirError,'support for your operating system not implemented.'
|
|
863
|
raise HomeDirError,'support for your operating system not implemented.'
|
|
864
|
|
|
864
|
|
|
865
|
#****************************************************************************
|
|
865
|
#****************************************************************************
|
|
866
|
# strings and text
|
|
866
|
# strings and text
|
|
867
|
|
|
867
|
|
|
868
|
class LSString(str):
|
|
868
|
class LSString(str):
|
|
869
|
"""String derivative with a special access attributes.
|
|
869
|
"""String derivative with a special access attributes.
|
|
870
|
|
|
870
|
|
|
871
|
These are normal strings, but with the special attributes:
|
|
871
|
These are normal strings, but with the special attributes:
|
|
872
|
|
|
872
|
|
|
873
|
.l (or .list) : value as list (split on newlines).
|
|
873
|
.l (or .list) : value as list (split on newlines).
|
|
874
|
.n (or .nlstr): original value (the string itself).
|
|
874
|
.n (or .nlstr): original value (the string itself).
|
|
875
|
.s (or .spstr): value as whitespace-separated string.
|
|
875
|
.s (or .spstr): value as whitespace-separated string.
|
|
876
|
.p (or .paths): list of path objects
|
|
876
|
.p (or .paths): list of path objects
|
|
877
|
|
|
877
|
|
|
878
|
Any values which require transformations are computed only once and
|
|
878
|
Any values which require transformations are computed only once and
|
|
879
|
cached.
|
|
879
|
cached.
|
|
880
|
|
|
880
|
|
|
881
|
Such strings are very useful to efficiently interact with the shell, which
|
|
881
|
Such strings are very useful to efficiently interact with the shell, which
|
|
882
|
typically only understands whitespace-separated options for commands."""
|
|
882
|
typically only understands whitespace-separated options for commands."""
|
|
883
|
|
|
883
|
|
|
884
|
def get_list(self):
|
|
884
|
def get_list(self):
|
|
885
|
try:
|
|
885
|
try:
|
|
886
|
return self.__list
|
|
886
|
return self.__list
|
|
887
|
except AttributeError:
|
|
887
|
except AttributeError:
|
|
888
|
self.__list = self.split('\n')
|
|
888
|
self.__list = self.split('\n')
|
|
889
|
return self.__list
|
|
889
|
return self.__list
|
|
890
|
|
|
890
|
|
|
891
|
l = list = property(get_list)
|
|
891
|
l = list = property(get_list)
|
|
892
|
|
|
892
|
|
|
893
|
def get_spstr(self):
|
|
893
|
def get_spstr(self):
|
|
894
|
try:
|
|
894
|
try:
|
|
895
|
return self.__spstr
|
|
895
|
return self.__spstr
|
|
896
|
except AttributeError:
|
|
896
|
except AttributeError:
|
|
897
|
self.__spstr = self.replace('\n',' ')
|
|
897
|
self.__spstr = self.replace('\n',' ')
|
|
898
|
return self.__spstr
|
|
898
|
return self.__spstr
|
|
899
|
|
|
899
|
|
|
900
|
s = spstr = property(get_spstr)
|
|
900
|
s = spstr = property(get_spstr)
|
|
901
|
|
|
901
|
|
|
902
|
def get_nlstr(self):
|
|
902
|
def get_nlstr(self):
|
|
903
|
return self
|
|
903
|
return self
|
|
904
|
|
|
904
|
|
|
905
|
n = nlstr = property(get_nlstr)
|
|
905
|
n = nlstr = property(get_nlstr)
|
|
906
|
|
|
906
|
|
|
907
|
def get_paths(self):
|
|
907
|
def get_paths(self):
|
|
908
|
try:
|
|
908
|
try:
|
|
909
|
return self.__paths
|
|
909
|
return self.__paths
|
|
910
|
except AttributeError:
|
|
910
|
except AttributeError:
|
|
911
|
self.__paths = [path(p) for p in self.split('\n') if os.path.exists(p)]
|
|
911
|
self.__paths = [path(p) for p in self.split('\n') if os.path.exists(p)]
|
|
912
|
return self.__paths
|
|
912
|
return self.__paths
|
|
913
|
|
|
913
|
|
|
914
|
p = paths = property(get_paths)
|
|
914
|
p = paths = property(get_paths)
|
|
915
|
|
|
915
|
|
|
916
|
|
|
|
|
|
917
|
|
|
|
|
|
918
|
def print_lsstring(arg):
|
|
916
|
def print_lsstring(arg):
|
|
919
|
""" Prettier (non-repr-like) and more informative printer for LSString """
|
|
917
|
""" Prettier (non-repr-like) and more informative printer for LSString """
|
|
920
|
print "LSString (.p, .n, .l, .s available). Value:"
|
|
918
|
print "LSString (.p, .n, .l, .s available). Value:"
|
|
921
|
print arg
|
|
919
|
print arg
|
|
922
|
|
|
920
|
|
|
923
|
print_lsstring = result_display.when_type(LSString)(print_lsstring)
|
|
921
|
print_lsstring = result_display.when_type(LSString)(print_lsstring)
|
|
924
|
|
|
922
|
|
|
925
|
#----------------------------------------------------------------------------
|
|
923
|
#----------------------------------------------------------------------------
|
|
926
|
class SList(list):
|
|
924
|
class SList(list):
|
|
927
|
"""List derivative with a special access attributes.
|
|
925
|
"""List derivative with a special access attributes.
|
|
928
|
|
|
926
|
|
|
929
|
These are normal lists, but with the special attributes:
|
|
927
|
These are normal lists, but with the special attributes:
|
|
930
|
|
|
928
|
|
|
931
|
.l (or .list) : value as list (the list itself).
|
|
929
|
.l (or .list) : value as list (the list itself).
|
|
932
|
.n (or .nlstr): value as a string, joined on newlines.
|
|
930
|
.n (or .nlstr): value as a string, joined on newlines.
|
|
933
|
.s (or .spstr): value as a string, joined on spaces.
|
|
931
|
.s (or .spstr): value as a string, joined on spaces.
|
|
934
|
.p (or .paths): list of path objects
|
|
932
|
.p (or .paths): list of path objects
|
|
935
|
|
|
933
|
|
|
936
|
Any values which require transformations are computed only once and
|
|
934
|
Any values which require transformations are computed only once and
|
|
937
|
cached."""
|
|
935
|
cached."""
|
|
938
|
|
|
936
|
|
|
939
|
def get_list(self):
|
|
937
|
def get_list(self):
|
|
940
|
return self
|
|
938
|
return self
|
|
941
|
|
|
939
|
|
|
942
|
l = list = property(get_list)
|
|
940
|
l = list = property(get_list)
|
|
943
|
|
|
941
|
|
|
944
|
def get_spstr(self):
|
|
942
|
def get_spstr(self):
|
|
945
|
try:
|
|
943
|
try:
|
|
946
|
return self.__spstr
|
|
944
|
return self.__spstr
|
|
947
|
except AttributeError:
|
|
945
|
except AttributeError:
|
|
948
|
self.__spstr = ' '.join(self)
|
|
946
|
self.__spstr = ' '.join(self)
|
|
949
|
return self.__spstr
|
|
947
|
return self.__spstr
|
|
950
|
|
|
948
|
|
|
951
|
s = spstr = property(get_spstr)
|
|
949
|
s = spstr = property(get_spstr)
|
|
952
|
|
|
950
|
|
|
953
|
def get_nlstr(self):
|
|
951
|
def get_nlstr(self):
|
|
954
|
try:
|
|
952
|
try:
|
|
955
|
return self.__nlstr
|
|
953
|
return self.__nlstr
|
|
956
|
except AttributeError:
|
|
954
|
except AttributeError:
|
|
957
|
self.__nlstr = '\n'.join(self)
|
|
955
|
self.__nlstr = '\n'.join(self)
|
|
958
|
return self.__nlstr
|
|
956
|
return self.__nlstr
|
|
959
|
|
|
957
|
|
|
960
|
n = nlstr = property(get_nlstr)
|
|
958
|
n = nlstr = property(get_nlstr)
|
|
961
|
|
|
959
|
|
|
962
|
def get_paths(self):
|
|
960
|
def get_paths(self):
|
|
963
|
try:
|
|
961
|
try:
|
|
964
|
return self.__paths
|
|
962
|
return self.__paths
|
|
965
|
except AttributeError:
|
|
963
|
except AttributeError:
|
|
966
|
self.__paths = [path(p) for p in self if os.path.exists(p)]
|
|
964
|
self.__paths = [path(p) for p in self if os.path.exists(p)]
|
|
967
|
return self.__paths
|
|
965
|
return self.__paths
|
|
968
|
|
|
966
|
|
|
969
|
p = paths = property(get_paths)
|
|
967
|
p = paths = property(get_paths)
|
|
970
|
|
|
968
|
|
|
971
|
#----------------------------------------------------------------------------
|
|
969
|
#----------------------------------------------------------------------------
|
|
972
|
def esc_quotes(strng):
|
|
970
|
def esc_quotes(strng):
|
|
973
|
"""Return the input string with single and double quotes escaped out"""
|
|
971
|
"""Return the input string with single and double quotes escaped out"""
|
|
974
|
|
|
972
|
|
|
975
|
return strng.replace('"','\\"').replace("'","\\'")
|
|
973
|
return strng.replace('"','\\"').replace("'","\\'")
|
|
976
|
|
|
974
|
|
|
977
|
#----------------------------------------------------------------------------
|
|
975
|
#----------------------------------------------------------------------------
|
|
978
|
def make_quoted_expr(s):
|
|
976
|
def make_quoted_expr(s):
|
|
979
|
"""Return string s in appropriate quotes, using raw string if possible.
|
|
977
|
"""Return string s in appropriate quotes, using raw string if possible.
|
|
980
|
|
|
978
|
|
|
981
|
Effectively this turns string: cd \ao\ao\
|
|
979
|
Effectively this turns string: cd \ao\ao\
|
|
982
|
to: r"cd \ao\ao\_"[:-1]
|
|
980
|
to: r"cd \ao\ao\_"[:-1]
|
|
983
|
|
|
981
|
|
|
984
|
Note the use of raw string and padding at the end to allow trailing backslash.
|
|
982
|
Note the use of raw string and padding at the end to allow trailing backslash.
|
|
985
|
|
|
983
|
|
|
986
|
"""
|
|
984
|
"""
|
|
987
|
|
|
985
|
|
|
988
|
tail = ''
|
|
986
|
tail = ''
|
|
989
|
tailpadding = ''
|
|
987
|
tailpadding = ''
|
|
990
|
raw = ''
|
|
988
|
raw = ''
|
|
991
|
if "\\" in s:
|
|
989
|
if "\\" in s:
|
|
992
|
raw = 'r'
|
|
990
|
raw = 'r'
|
|
993
|
if s.endswith('\\'):
|
|
991
|
if s.endswith('\\'):
|
|
994
|
tail = '[:-1]'
|
|
992
|
tail = '[:-1]'
|
|
995
|
tailpadding = '_'
|
|
993
|
tailpadding = '_'
|
|
996
|
if '"' not in s:
|
|
994
|
if '"' not in s:
|
|
997
|
quote = '"'
|
|
995
|
quote = '"'
|
|
998
|
elif "'" not in s:
|
|
996
|
elif "'" not in s:
|
|
999
|
quote = "'"
|
|
997
|
quote = "'"
|
|
1000
|
elif '"""' not in s and not s.endswith('"'):
|
|
998
|
elif '"""' not in s and not s.endswith('"'):
|
|
1001
|
quote = '"""'
|
|
999
|
quote = '"""'
|
|
1002
|
elif "'''" not in s and not s.endswith("'"):
|
|
1000
|
elif "'''" not in s and not s.endswith("'"):
|
|
1003
|
quote = "'''"
|
|
1001
|
quote = "'''"
|
|
1004
|
else:
|
|
1002
|
else:
|
|
1005
|
# give up, backslash-escaped string will do
|
|
1003
|
# give up, backslash-escaped string will do
|
|
1006
|
return '"%s"' % esc_quotes(s)
|
|
1004
|
return '"%s"' % esc_quotes(s)
|
|
1007
|
res = itpl("$raw$quote$s$tailpadding$quote$tail")
|
|
1005
|
res = itpl("$raw$quote$s$tailpadding$quote$tail")
|
|
1008
|
return res
|
|
1006
|
return res
|
|
1009
|
|
|
1007
|
|
|
1010
|
|
|
1008
|
|
|
1011
|
#----------------------------------------------------------------------------
|
|
1009
|
#----------------------------------------------------------------------------
|
|
1012
|
def raw_input_multi(header='', ps1='==> ', ps2='..> ',terminate_str = '.'):
|
|
1010
|
def raw_input_multi(header='', ps1='==> ', ps2='..> ',terminate_str = '.'):
|
|
1013
|
"""Take multiple lines of input.
|
|
1011
|
"""Take multiple lines of input.
|
|
1014
|
|
|
1012
|
|
|
1015
|
A list with each line of input as a separate element is returned when a
|
|
1013
|
A list with each line of input as a separate element is returned when a
|
|
1016
|
termination string is entered (defaults to a single '.'). Input can also
|
|
1014
|
termination string is entered (defaults to a single '.'). Input can also
|
|
1017
|
terminate via EOF (^D in Unix, ^Z-RET in Windows).
|
|
1015
|
terminate via EOF (^D in Unix, ^Z-RET in Windows).
|
|
1018
|
|
|
1016
|
|
|
1019
|
Lines of input which end in \\ are joined into single entries (and a
|
|
1017
|
Lines of input which end in \\ are joined into single entries (and a
|
|
1020
|
secondary continuation prompt is issued as long as the user terminates
|
|
1018
|
secondary continuation prompt is issued as long as the user terminates
|
|
1021
|
lines with \\). This allows entering very long strings which are still
|
|
1019
|
lines with \\). This allows entering very long strings which are still
|
|
1022
|
meant to be treated as single entities.
|
|
1020
|
meant to be treated as single entities.
|
|
1023
|
"""
|
|
1021
|
"""
|
|
1024
|
|
|
1022
|
|
|
1025
|
try:
|
|
1023
|
try:
|
|
1026
|
if header:
|
|
1024
|
if header:
|
|
1027
|
header += '\n'
|
|
1025
|
header += '\n'
|
|
1028
|
lines = [raw_input(header + ps1)]
|
|
1026
|
lines = [raw_input(header + ps1)]
|
|
1029
|
except EOFError:
|
|
1027
|
except EOFError:
|
|
1030
|
return []
|
|
1028
|
return []
|
|
1031
|
terminate = [terminate_str]
|
|
1029
|
terminate = [terminate_str]
|
|
1032
|
try:
|
|
1030
|
try:
|
|
1033
|
while lines[-1:] != terminate:
|
|
1031
|
while lines[-1:] != terminate:
|
|
1034
|
new_line = raw_input(ps1)
|
|
1032
|
new_line = raw_input(ps1)
|
|
1035
|
while new_line.endswith('\\'):
|
|
1033
|
while new_line.endswith('\\'):
|
|
1036
|
new_line = new_line[:-1] + raw_input(ps2)
|
|
1034
|
new_line = new_line[:-1] + raw_input(ps2)
|
|
1037
|
lines.append(new_line)
|
|
1035
|
lines.append(new_line)
|
|
1038
|
|
|
1036
|
|
|
1039
|
return lines[:-1] # don't return the termination command
|
|
1037
|
return lines[:-1] # don't return the termination command
|
|
1040
|
except EOFError:
|
|
1038
|
except EOFError:
|
|
1041
|
print
|
|
1039
|
print
|
|
1042
|
return lines
|
|
1040
|
return lines
|
|
1043
|
|
|
1041
|
|
|
1044
|
#----------------------------------------------------------------------------
|
|
1042
|
#----------------------------------------------------------------------------
|
|
1045
|
def raw_input_ext(prompt='', ps2='... '):
|
|
1043
|
def raw_input_ext(prompt='', ps2='... '):
|
|
1046
|
"""Similar to raw_input(), but accepts extended lines if input ends with \\."""
|
|
1044
|
"""Similar to raw_input(), but accepts extended lines if input ends with \\."""
|
|
1047
|
|
|
1045
|
|
|
1048
|
line = raw_input(prompt)
|
|
1046
|
line = raw_input(prompt)
|
|
1049
|
while line.endswith('\\'):
|
|
1047
|
while line.endswith('\\'):
|
|
1050
|
line = line[:-1] + raw_input(ps2)
|
|
1048
|
line = line[:-1] + raw_input(ps2)
|
|
1051
|
return line
|
|
1049
|
return line
|
|
1052
|
|
|
1050
|
|
|
1053
|
#----------------------------------------------------------------------------
|
|
1051
|
#----------------------------------------------------------------------------
|
|
1054
|
def ask_yes_no(prompt,default=None):
|
|
1052
|
def ask_yes_no(prompt,default=None):
|
|
1055
|
"""Asks a question and returns an integer 1/0 (y/n) answer.
|
|
1053
|
"""Asks a question and returns an integer 1/0 (y/n) answer.
|
|
1056
|
|
|
1054
|
|
|
1057
|
If default is given (one of 'y','n'), it is used if the user input is
|
|
1055
|
If default is given (one of 'y','n'), it is used if the user input is
|
|
1058
|
empty. Otherwise the question is repeated until an answer is given.
|
|
1056
|
empty. Otherwise the question is repeated until an answer is given.
|
|
1059
|
|
|
1057
|
|
|
1060
|
An EOF is treated as the default answer. If there is no default, an
|
|
1058
|
An EOF is treated as the default answer. If there is no default, an
|
|
1061
|
exception is raised to prevent infinite loops.
|
|
1059
|
exception is raised to prevent infinite loops.
|
|
1062
|
|
|
1060
|
|
|
1063
|
Valid answers are: y/yes/n/no (match is not case sensitive)."""
|
|
1061
|
Valid answers are: y/yes/n/no (match is not case sensitive)."""
|
|
1064
|
|
|
1062
|
|
|
1065
|
answers = {'y':True,'n':False,'yes':True,'no':False}
|
|
1063
|
answers = {'y':True,'n':False,'yes':True,'no':False}
|
|
1066
|
ans = None
|
|
1064
|
ans = None
|
|
1067
|
while ans not in answers.keys():
|
|
1065
|
while ans not in answers.keys():
|
|
1068
|
try:
|
|
1066
|
try:
|
|
1069
|
ans = raw_input(prompt+' ').lower()
|
|
1067
|
ans = raw_input(prompt+' ').lower()
|
|
1070
|
if not ans: # response was an empty string
|
|
1068
|
if not ans: # response was an empty string
|
|
1071
|
ans = default
|
|
1069
|
ans = default
|
|
1072
|
except KeyboardInterrupt:
|
|
1070
|
except KeyboardInterrupt:
|
|
1073
|
pass
|
|
1071
|
pass
|
|
1074
|
except EOFError:
|
|
1072
|
except EOFError:
|
|
1075
|
if default in answers.keys():
|
|
1073
|
if default in answers.keys():
|
|
1076
|
ans = default
|
|
1074
|
ans = default
|
|
1077
|
print
|
|
1075
|
print
|
|
1078
|
else:
|
|
1076
|
else:
|
|
1079
|
raise
|
|
1077
|
raise
|
|
1080
|
|
|
1078
|
|
|
1081
|
return answers[ans]
|
|
1079
|
return answers[ans]
|
|
1082
|
|
|
1080
|
|
|
1083
|
#----------------------------------------------------------------------------
|
|
1081
|
#----------------------------------------------------------------------------
|
|
1084
|
def marquee(txt='',width=78,mark='*'):
|
|
1082
|
def marquee(txt='',width=78,mark='*'):
|
|
1085
|
"""Return the input string centered in a 'marquee'."""
|
|
1083
|
"""Return the input string centered in a 'marquee'."""
|
|
1086
|
if not txt:
|
|
1084
|
if not txt:
|
|
1087
|
return (mark*width)[:width]
|
|
1085
|
return (mark*width)[:width]
|
|
1088
|
nmark = (width-len(txt)-2)/len(mark)/2
|
|
1086
|
nmark = (width-len(txt)-2)/len(mark)/2
|
|
1089
|
if nmark < 0: nmark =0
|
|
1087
|
if nmark < 0: nmark =0
|
|
1090
|
marks = mark*nmark
|
|
1088
|
marks = mark*nmark
|
|
1091
|
return '%s %s %s' % (marks,txt,marks)
|
|
1089
|
return '%s %s %s' % (marks,txt,marks)
|
|
1092
|
|
|
1090
|
|
|
1093
|
#----------------------------------------------------------------------------
|
|
1091
|
#----------------------------------------------------------------------------
|
|
1094
|
class EvalDict:
|
|
1092
|
class EvalDict:
|
|
1095
|
"""
|
|
1093
|
"""
|
|
1096
|
Emulate a dict which evaluates its contents in the caller's frame.
|
|
1094
|
Emulate a dict which evaluates its contents in the caller's frame.
|
|
1097
|
|
|
1095
|
|
|
1098
|
Usage:
|
|
1096
|
Usage:
|
|
1099
|
>>>number = 19
|
|
1097
|
>>>number = 19
|
|
1100
|
>>>text = "python"
|
|
1098
|
>>>text = "python"
|
|
1101
|
>>>print "%(text.capitalize())s %(number/9.0).1f rules!" % EvalDict()
|
|
1099
|
>>>print "%(text.capitalize())s %(number/9.0).1f rules!" % EvalDict()
|
|
1102
|
"""
|
|
1100
|
"""
|
|
1103
|
|
|
1101
|
|
|
1104
|
# This version is due to sismex01@hebmex.com on c.l.py, and is basically a
|
|
1102
|
# This version is due to sismex01@hebmex.com on c.l.py, and is basically a
|
|
1105
|
# modified (shorter) version of:
|
|
1103
|
# modified (shorter) version of:
|
|
1106
|
# http://aspn.activestate.com/ASPN/Cookbook/Python/Recipe/66018 by
|
|
1104
|
# http://aspn.activestate.com/ASPN/Cookbook/Python/Recipe/66018 by
|
|
1107
|
# Skip Montanaro (skip@pobox.com).
|
|
1105
|
# Skip Montanaro (skip@pobox.com).
|
|
1108
|
|
|
1106
|
|
|
1109
|
def __getitem__(self, name):
|
|
1107
|
def __getitem__(self, name):
|
|
1110
|
frame = sys._getframe(1)
|
|
1108
|
frame = sys._getframe(1)
|
|
1111
|
return eval(name, frame.f_globals, frame.f_locals)
|
|
1109
|
return eval(name, frame.f_globals, frame.f_locals)
|
|
1112
|
|
|
1110
|
|
|
1113
|
EvalString = EvalDict # for backwards compatibility
|
|
1111
|
EvalString = EvalDict # for backwards compatibility
|
|
1114
|
#----------------------------------------------------------------------------
|
|
1112
|
#----------------------------------------------------------------------------
|
|
1115
|
def qw(words,flat=0,sep=None,maxsplit=-1):
|
|
1113
|
def qw(words,flat=0,sep=None,maxsplit=-1):
|
|
1116
|
"""Similar to Perl's qw() operator, but with some more options.
|
|
1114
|
"""Similar to Perl's qw() operator, but with some more options.
|
|
1117
|
|
|
1115
|
|
|
1118
|
qw(words,flat=0,sep=' ',maxsplit=-1) -> words.split(sep,maxsplit)
|
|
1116
|
qw(words,flat=0,sep=' ',maxsplit=-1) -> words.split(sep,maxsplit)
|
|
1119
|
|
|
1117
|
|
|
1120
|
words can also be a list itself, and with flat=1, the output will be
|
|
1118
|
words can also be a list itself, and with flat=1, the output will be
|
|
1121
|
recursively flattened. Examples:
|
|
1119
|
recursively flattened. Examples:
|
|
1122
|
|
|
1120
|
|
|
1123
|
>>> qw('1 2')
|
|
1121
|
>>> qw('1 2')
|
|
1124
|
['1', '2']
|
|
1122
|
['1', '2']
|
|
1125
|
>>> qw(['a b','1 2',['m n','p q']])
|
|
1123
|
>>> qw(['a b','1 2',['m n','p q']])
|
|
1126
|
[['a', 'b'], ['1', '2'], [['m', 'n'], ['p', 'q']]]
|
|
1124
|
[['a', 'b'], ['1', '2'], [['m', 'n'], ['p', 'q']]]
|
|
1127
|
>>> qw(['a b','1 2',['m n','p q']],flat=1)
|
|
1125
|
>>> qw(['a b','1 2',['m n','p q']],flat=1)
|
|
1128
|
['a', 'b', '1', '2', 'm', 'n', 'p', 'q'] """
|
|
1126
|
['a', 'b', '1', '2', 'm', 'n', 'p', 'q'] """
|
|
1129
|
|
|
1127
|
|
|
1130
|
if type(words) in StringTypes:
|
|
1128
|
if type(words) in StringTypes:
|
|
1131
|
return [word.strip() for word in words.split(sep,maxsplit)
|
|
1129
|
return [word.strip() for word in words.split(sep,maxsplit)
|
|
1132
|
if word and not word.isspace() ]
|
|
1130
|
if word and not word.isspace() ]
|
|
1133
|
if flat:
|
|
1131
|
if flat:
|
|
1134
|
return flatten(map(qw,words,[1]*len(words)))
|
|
1132
|
return flatten(map(qw,words,[1]*len(words)))
|
|
1135
|
return map(qw,words)
|
|
1133
|
return map(qw,words)
|
|
1136
|
|
|
1134
|
|
|
1137
|
#----------------------------------------------------------------------------
|
|
1135
|
#----------------------------------------------------------------------------
|
|
1138
|
def qwflat(words,sep=None,maxsplit=-1):
|
|
1136
|
def qwflat(words,sep=None,maxsplit=-1):
|
|
1139
|
"""Calls qw(words) in flat mode. It's just a convenient shorthand."""
|
|
1137
|
"""Calls qw(words) in flat mode. It's just a convenient shorthand."""
|
|
1140
|
return qw(words,1,sep,maxsplit)
|
|
1138
|
return qw(words,1,sep,maxsplit)
|
|
1141
|
|
|
1139
|
|
|
1142
|
#----------------------------------------------------------------------------
|
|
1140
|
#----------------------------------------------------------------------------
|
|
1143
|
def qw_lol(indata):
|
|
1141
|
def qw_lol(indata):
|
|
1144
|
"""qw_lol('a b') -> [['a','b']],
|
|
1142
|
"""qw_lol('a b') -> [['a','b']],
|
|
1145
|
otherwise it's just a call to qw().
|
|
1143
|
otherwise it's just a call to qw().
|
|
1146
|
|
|
1144
|
|
|
1147
|
We need this to make sure the modules_some keys *always* end up as a
|
|
1145
|
We need this to make sure the modules_some keys *always* end up as a
|
|
1148
|
list of lists."""
|
|
1146
|
list of lists."""
|
|
1149
|
|
|
1147
|
|
|
1150
|
if type(indata) in StringTypes:
|
|
1148
|
if type(indata) in StringTypes:
|
|
1151
|
return [qw(indata)]
|
|
1149
|
return [qw(indata)]
|
|
1152
|
else:
|
|
1150
|
else:
|
|
1153
|
return qw(indata)
|
|
1151
|
return qw(indata)
|
|
1154
|
|
|
1152
|
|
|
1155
|
#-----------------------------------------------------------------------------
|
|
1153
|
#-----------------------------------------------------------------------------
|
|
1156
|
def list_strings(arg):
|
|
1154
|
def list_strings(arg):
|
|
1157
|
"""Always return a list of strings, given a string or list of strings
|
|
1155
|
"""Always return a list of strings, given a string or list of strings
|
|
1158
|
as input."""
|
|
1156
|
as input."""
|
|
1159
|
|
|
1157
|
|
|
1160
|
if type(arg) in StringTypes: return [arg]
|
|
1158
|
if type(arg) in StringTypes: return [arg]
|
|
1161
|
else: return arg
|
|
1159
|
else: return arg
|
|
1162
|
|
|
1160
|
|
|
1163
|
#----------------------------------------------------------------------------
|
|
1161
|
#----------------------------------------------------------------------------
|
|
1164
|
def grep(pat,list,case=1):
|
|
1162
|
def grep(pat,list,case=1):
|
|
1165
|
"""Simple minded grep-like function.
|
|
1163
|
"""Simple minded grep-like function.
|
|
1166
|
grep(pat,list) returns occurrences of pat in list, None on failure.
|
|
1164
|
grep(pat,list) returns occurrences of pat in list, None on failure.
|
|
1167
|
|
|
1165
|
|
|
1168
|
It only does simple string matching, with no support for regexps. Use the
|
|
1166
|
It only does simple string matching, with no support for regexps. Use the
|
|
1169
|
option case=0 for case-insensitive matching."""
|
|
1167
|
option case=0 for case-insensitive matching."""
|
|
1170
|
|
|
1168
|
|
|
1171
|
# This is pretty crude. At least it should implement copying only references
|
|
1169
|
# This is pretty crude. At least it should implement copying only references
|
|
1172
|
# to the original data in case it's big. Now it copies the data for output.
|
|
1170
|
# to the original data in case it's big. Now it copies the data for output.
|
|
1173
|
out=[]
|
|
1171
|
out=[]
|
|
1174
|
if case:
|
|
1172
|
if case:
|
|
1175
|
for term in list:
|
|
1173
|
for term in list:
|
|
1176
|
if term.find(pat)>-1: out.append(term)
|
|
1174
|
if term.find(pat)>-1: out.append(term)
|
|
1177
|
else:
|
|
1175
|
else:
|
|
1178
|
lpat=pat.lower()
|
|
1176
|
lpat=pat.lower()
|
|
1179
|
for term in list:
|
|
1177
|
for term in list:
|
|
1180
|
if term.lower().find(lpat)>-1: out.append(term)
|
|
1178
|
if term.lower().find(lpat)>-1: out.append(term)
|
|
1181
|
|
|
1179
|
|
|
1182
|
if len(out): return out
|
|
1180
|
if len(out): return out
|
|
1183
|
else: return None
|
|
1181
|
else: return None
|
|
1184
|
|
|
1182
|
|
|
1185
|
#----------------------------------------------------------------------------
|
|
1183
|
#----------------------------------------------------------------------------
|
|
1186
|
def dgrep(pat,*opts):
|
|
1184
|
def dgrep(pat,*opts):
|
|
1187
|
"""Return grep() on dir()+dir(__builtins__).
|
|
1185
|
"""Return grep() on dir()+dir(__builtins__).
|
|
1188
|
|
|
1186
|
|
|
1189
|
A very common use of grep() when working interactively."""
|
|
1187
|
A very common use of grep() when working interactively."""
|
|
1190
|
|
|
1188
|
|
|
1191
|
return grep(pat,dir(__main__)+dir(__main__.__builtins__),*opts)
|
|
1189
|
return grep(pat,dir(__main__)+dir(__main__.__builtins__),*opts)
|
|
1192
|
|
|
1190
|
|
|
1193
|
#----------------------------------------------------------------------------
|
|
1191
|
#----------------------------------------------------------------------------
|
|
1194
|
def idgrep(pat):
|
|
1192
|
def idgrep(pat):
|
|
1195
|
"""Case-insensitive dgrep()"""
|
|
1193
|
"""Case-insensitive dgrep()"""
|
|
1196
|
|
|
1194
|
|
|
1197
|
return dgrep(pat,0)
|
|
1195
|
return dgrep(pat,0)
|
|
1198
|
|
|
1196
|
|
|
1199
|
#----------------------------------------------------------------------------
|
|
1197
|
#----------------------------------------------------------------------------
|
|
1200
|
def igrep(pat,list):
|
|
1198
|
def igrep(pat,list):
|
|
1201
|
"""Synonym for case-insensitive grep."""
|
|
1199
|
"""Synonym for case-insensitive grep."""
|
|
1202
|
|
|
1200
|
|
|
1203
|
return grep(pat,list,case=0)
|
|
1201
|
return grep(pat,list,case=0)
|
|
1204
|
|
|
1202
|
|
|
1205
|
#----------------------------------------------------------------------------
|
|
1203
|
#----------------------------------------------------------------------------
|
|
1206
|
def indent(str,nspaces=4,ntabs=0):
|
|
1204
|
def indent(str,nspaces=4,ntabs=0):
|
|
1207
|
"""Indent a string a given number of spaces or tabstops.
|
|
1205
|
"""Indent a string a given number of spaces or tabstops.
|
|
1208
|
|
|
1206
|
|
|
1209
|
indent(str,nspaces=4,ntabs=0) -> indent str by ntabs+nspaces.
|
|
1207
|
indent(str,nspaces=4,ntabs=0) -> indent str by ntabs+nspaces.
|
|
1210
|
"""
|
|
1208
|
"""
|
|
1211
|
if str is None:
|
|
1209
|
if str is None:
|
|
1212
|
return
|
|
1210
|
return
|
|
1213
|
ind = '\t'*ntabs+' '*nspaces
|
|
1211
|
ind = '\t'*ntabs+' '*nspaces
|
|
1214
|
outstr = '%s%s' % (ind,str.replace(os.linesep,os.linesep+ind))
|
|
1212
|
outstr = '%s%s' % (ind,str.replace(os.linesep,os.linesep+ind))
|
|
1215
|
if outstr.endswith(os.linesep+ind):
|
|
1213
|
if outstr.endswith(os.linesep+ind):
|
|
1216
|
return outstr[:-len(ind)]
|
|
1214
|
return outstr[:-len(ind)]
|
|
1217
|
else:
|
|
1215
|
else:
|
|
1218
|
return outstr
|
|
1216
|
return outstr
|
|
1219
|
|
|
1217
|
|
|
1220
|
#-----------------------------------------------------------------------------
|
|
1218
|
#-----------------------------------------------------------------------------
|
|
1221
|
def native_line_ends(filename,backup=1):
|
|
1219
|
def native_line_ends(filename,backup=1):
|
|
1222
|
"""Convert (in-place) a file to line-ends native to the current OS.
|
|
1220
|
"""Convert (in-place) a file to line-ends native to the current OS.
|
|
1223
|
|
|
1221
|
|
|
1224
|
If the optional backup argument is given as false, no backup of the
|
|
1222
|
If the optional backup argument is given as false, no backup of the
|
|
1225
|
original file is left. """
|
|
1223
|
original file is left. """
|
|
1226
|
|
|
1224
|
|
|
1227
|
backup_suffixes = {'posix':'~','dos':'.bak','nt':'.bak','mac':'.bak'}
|
|
1225
|
backup_suffixes = {'posix':'~','dos':'.bak','nt':'.bak','mac':'.bak'}
|
|
1228
|
|
|
1226
|
|
|
1229
|
bak_filename = filename + backup_suffixes[os.name]
|
|
1227
|
bak_filename = filename + backup_suffixes[os.name]
|
|
1230
|
|
|
1228
|
|
|
1231
|
original = open(filename).read()
|
|
1229
|
original = open(filename).read()
|
|
1232
|
shutil.copy2(filename,bak_filename)
|
|
1230
|
shutil.copy2(filename,bak_filename)
|
|
1233
|
try:
|
|
1231
|
try:
|
|
1234
|
new = open(filename,'wb')
|
|
1232
|
new = open(filename,'wb')
|
|
1235
|
new.write(os.linesep.join(original.splitlines()))
|
|
1233
|
new.write(os.linesep.join(original.splitlines()))
|
|
1236
|
new.write(os.linesep) # ALWAYS put an eol at the end of the file
|
|
1234
|
new.write(os.linesep) # ALWAYS put an eol at the end of the file
|
|
1237
|
new.close()
|
|
1235
|
new.close()
|
|
1238
|
except:
|
|
1236
|
except:
|
|
1239
|
os.rename(bak_filename,filename)
|
|
1237
|
os.rename(bak_filename,filename)
|
|
1240
|
if not backup:
|
|
1238
|
if not backup:
|
|
1241
|
try:
|
|
1239
|
try:
|
|
1242
|
os.remove(bak_filename)
|
|
1240
|
os.remove(bak_filename)
|
|
1243
|
except:
|
|
1241
|
except:
|
|
1244
|
pass
|
|
1242
|
pass
|
|
1245
|
|
|
1243
|
|
|
1246
|
#----------------------------------------------------------------------------
|
|
1244
|
#----------------------------------------------------------------------------
|
|
1247
|
def get_pager_cmd(pager_cmd = None):
|
|
1245
|
def get_pager_cmd(pager_cmd = None):
|
|
1248
|
"""Return a pager command.
|
|
1246
|
"""Return a pager command.
|
|
1249
|
|
|
1247
|
|
|
1250
|
Makes some attempts at finding an OS-correct one."""
|
|
1248
|
Makes some attempts at finding an OS-correct one."""
|
|
1251
|
|
|
1249
|
|
|
1252
|
if os.name == 'posix':
|
|
1250
|
if os.name == 'posix':
|
|
1253
|
default_pager_cmd = 'less -r' # -r for color control sequences
|
|
1251
|
default_pager_cmd = 'less -r' # -r for color control sequences
|
|
1254
|
elif os.name in ['nt','dos']:
|
|
1252
|
elif os.name in ['nt','dos']:
|
|
1255
|
default_pager_cmd = 'type'
|
|
1253
|
default_pager_cmd = 'type'
|
|
1256
|
|
|
1254
|
|
|
1257
|
if pager_cmd is None:
|
|
1255
|
if pager_cmd is None:
|
|
1258
|
try:
|
|
1256
|
try:
|
|
1259
|
pager_cmd = os.environ['PAGER']
|
|
1257
|
pager_cmd = os.environ['PAGER']
|
|
1260
|
except:
|
|
1258
|
except:
|
|
1261
|
pager_cmd = default_pager_cmd
|
|
1259
|
pager_cmd = default_pager_cmd
|
|
1262
|
return pager_cmd
|
|
1260
|
return pager_cmd
|
|
1263
|
|
|
1261
|
|
|
1264
|
#-----------------------------------------------------------------------------
|
|
1262
|
#-----------------------------------------------------------------------------
|
|
1265
|
def get_pager_start(pager,start):
|
|
1263
|
def get_pager_start(pager,start):
|
|
1266
|
"""Return the string for paging files with an offset.
|
|
1264
|
"""Return the string for paging files with an offset.
|
|
1267
|
|
|
1265
|
|
|
1268
|
This is the '+N' argument which less and more (under Unix) accept.
|
|
1266
|
This is the '+N' argument which less and more (under Unix) accept.
|
|
1269
|
"""
|
|
1267
|
"""
|
|
1270
|
|
|
1268
|
|
|
1271
|
if pager in ['less','more']:
|
|
1269
|
if pager in ['less','more']:
|
|
1272
|
if start:
|
|
1270
|
if start:
|
|
1273
|
start_string = '+' + str(start)
|
|
1271
|
start_string = '+' + str(start)
|
|
1274
|
else:
|
|
1272
|
else:
|
|
1275
|
start_string = ''
|
|
1273
|
start_string = ''
|
|
1276
|
else:
|
|
1274
|
else:
|
|
1277
|
start_string = ''
|
|
1275
|
start_string = ''
|
|
1278
|
return start_string
|
|
1276
|
return start_string
|
|
1279
|
|
|
1277
|
|
|
1280
|
#----------------------------------------------------------------------------
|
|
1278
|
#----------------------------------------------------------------------------
|
|
1281
|
# (X)emacs on W32 doesn't like to be bypassed with msvcrt.getch()
|
|
1279
|
# (X)emacs on W32 doesn't like to be bypassed with msvcrt.getch()
|
|
1282
|
if os.name == 'nt' and os.environ.get('TERM','dumb') != 'emacs':
|
|
1280
|
if os.name == 'nt' and os.environ.get('TERM','dumb') != 'emacs':
|
|
1283
|
import msvcrt
|
|
1281
|
import msvcrt
|
|
1284
|
def page_more():
|
|
1282
|
def page_more():
|
|
1285
|
""" Smart pausing between pages
|
|
1283
|
""" Smart pausing between pages
|
|
1286
|
|
|
1284
|
|
|
1287
|
@return: True if need print more lines, False if quit
|
|
1285
|
@return: True if need print more lines, False if quit
|
|
1288
|
"""
|
|
1286
|
"""
|
|
1289
|
Term.cout.write('---Return to continue, q to quit--- ')
|
|
1287
|
Term.cout.write('---Return to continue, q to quit--- ')
|
|
1290
|
ans = msvcrt.getch()
|
|
1288
|
ans = msvcrt.getch()
|
|
1291
|
if ans in ("q", "Q"):
|
|
1289
|
if ans in ("q", "Q"):
|
|
1292
|
result = False
|
|
1290
|
result = False
|
|
1293
|
else:
|
|
1291
|
else:
|
|
1294
|
result = True
|
|
1292
|
result = True
|
|
1295
|
Term.cout.write("\b"*37 + " "*37 + "\b"*37)
|
|
1293
|
Term.cout.write("\b"*37 + " "*37 + "\b"*37)
|
|
1296
|
return result
|
|
1294
|
return result
|
|
1297
|
else:
|
|
1295
|
else:
|
|
1298
|
def page_more():
|
|
1296
|
def page_more():
|
|
1299
|
ans = raw_input('---Return to continue, q to quit--- ')
|
|
1297
|
ans = raw_input('---Return to continue, q to quit--- ')
|
|
1300
|
if ans.lower().startswith('q'):
|
|
1298
|
if ans.lower().startswith('q'):
|
|
1301
|
return False
|
|
1299
|
return False
|
|
1302
|
else:
|
|
1300
|
else:
|
|
1303
|
return True
|
|
1301
|
return True
|
|
1304
|
|
|
1302
|
|
|
1305
|
esc_re = re.compile(r"(\x1b[^m]+m)")
|
|
1303
|
esc_re = re.compile(r"(\x1b[^m]+m)")
|
|
1306
|
|
|
1304
|
|
|
1307
|
def page_dumb(strng,start=0,screen_lines=25):
|
|
1305
|
def page_dumb(strng,start=0,screen_lines=25):
|
|
1308
|
"""Very dumb 'pager' in Python, for when nothing else works.
|
|
1306
|
"""Very dumb 'pager' in Python, for when nothing else works.
|
|
1309
|
|
|
1307
|
|
|
1310
|
Only moves forward, same interface as page(), except for pager_cmd and
|
|
1308
|
Only moves forward, same interface as page(), except for pager_cmd and
|
|
1311
|
mode."""
|
|
1309
|
mode."""
|
|
1312
|
|
|
1310
|
|
|
1313
|
out_ln = strng.splitlines()[start:]
|
|
1311
|
out_ln = strng.splitlines()[start:]
|
|
1314
|
screens = chop(out_ln,screen_lines-1)
|
|
1312
|
screens = chop(out_ln,screen_lines-1)
|
|
1315
|
if len(screens) == 1:
|
|
1313
|
if len(screens) == 1:
|
|
1316
|
print >>Term.cout, os.linesep.join(screens[0])
|
|
1314
|
print >>Term.cout, os.linesep.join(screens[0])
|
|
1317
|
else:
|
|
1315
|
else:
|
|
1318
|
last_escape = ""
|
|
1316
|
last_escape = ""
|
|
1319
|
for scr in screens[0:-1]:
|
|
1317
|
for scr in screens[0:-1]:
|
|
1320
|
hunk = os.linesep.join(scr)
|
|
1318
|
hunk = os.linesep.join(scr)
|
|
1321
|
print >>Term.cout, last_escape + hunk
|
|
1319
|
print >>Term.cout, last_escape + hunk
|
|
1322
|
if not page_more():
|
|
1320
|
if not page_more():
|
|
1323
|
return
|
|
1321
|
return
|
|
1324
|
esc_list = esc_re.findall(hunk)
|
|
1322
|
esc_list = esc_re.findall(hunk)
|
|
1325
|
if len(esc_list) > 0:
|
|
1323
|
if len(esc_list) > 0:
|
|
1326
|
last_escape = esc_list[-1]
|
|
1324
|
last_escape = esc_list[-1]
|
|
1327
|
print >>Term.cout, last_escape + os.linesep.join(screens[-1])
|
|
1325
|
print >>Term.cout, last_escape + os.linesep.join(screens[-1])
|
|
1328
|
|
|
1326
|
|
|
1329
|
#----------------------------------------------------------------------------
|
|
1327
|
#----------------------------------------------------------------------------
|
|
1330
|
def page(strng,start=0,screen_lines=0,pager_cmd = None):
|
|
1328
|
def page(strng,start=0,screen_lines=0,pager_cmd = None):
|
|
1331
|
"""Print a string, piping through a pager after a certain length.
|
|
1329
|
"""Print a string, piping through a pager after a certain length.
|
|
1332
|
|
|
1330
|
|
|
1333
|
The screen_lines parameter specifies the number of *usable* lines of your
|
|
1331
|
The screen_lines parameter specifies the number of *usable* lines of your
|
|
1334
|
terminal screen (total lines minus lines you need to reserve to show other
|
|
1332
|
terminal screen (total lines minus lines you need to reserve to show other
|
|
1335
|
information).
|
|
1333
|
information).
|
|
1336
|
|
|
1334
|
|
|
1337
|
If you set screen_lines to a number <=0, page() will try to auto-determine
|
|
1335
|
If you set screen_lines to a number <=0, page() will try to auto-determine
|
|
1338
|
your screen size and will only use up to (screen_size+screen_lines) for
|
|
1336
|
your screen size and will only use up to (screen_size+screen_lines) for
|
|
1339
|
printing, paging after that. That is, if you want auto-detection but need
|
|
1337
|
printing, paging after that. That is, if you want auto-detection but need
|
|
1340
|
to reserve the bottom 3 lines of the screen, use screen_lines = -3, and for
|
|
1338
|
to reserve the bottom 3 lines of the screen, use screen_lines = -3, and for
|
|
1341
|
auto-detection without any lines reserved simply use screen_lines = 0.
|
|
1339
|
auto-detection without any lines reserved simply use screen_lines = 0.
|
|
1342
|
|
|
1340
|
|
|
1343
|
If a string won't fit in the allowed lines, it is sent through the
|
|
1341
|
If a string won't fit in the allowed lines, it is sent through the
|
|
1344
|
specified pager command. If none given, look for PAGER in the environment,
|
|
1342
|
specified pager command. If none given, look for PAGER in the environment,
|
|
1345
|
and ultimately default to less.
|
|
1343
|
and ultimately default to less.
|
|
1346
|
|
|
1344
|
|
|
1347
|
If no system pager works, the string is sent through a 'dumb pager'
|
|
1345
|
If no system pager works, the string is sent through a 'dumb pager'
|
|
1348
|
written in python, very simplistic.
|
|
1346
|
written in python, very simplistic.
|
|
1349
|
"""
|
|
1347
|
"""
|
|
1350
|
|
|
1348
|
|
|
1351
|
# Ugly kludge, but calling curses.initscr() flat out crashes in emacs
|
|
1349
|
# Ugly kludge, but calling curses.initscr() flat out crashes in emacs
|
|
1352
|
TERM = os.environ.get('TERM','dumb')
|
|
1350
|
TERM = os.environ.get('TERM','dumb')
|
|
1353
|
if TERM in ['dumb','emacs'] and os.name != 'nt':
|
|
1351
|
if TERM in ['dumb','emacs'] and os.name != 'nt':
|
|
1354
|
print strng
|
|
1352
|
print strng
|
|
1355
|
return
|
|
1353
|
return
|
|
1356
|
# chop off the topmost part of the string we don't want to see
|
|
1354
|
# chop off the topmost part of the string we don't want to see
|
|
1357
|
str_lines = strng.split(os.linesep)[start:]
|
|
1355
|
str_lines = strng.split(os.linesep)[start:]
|
|
1358
|
str_toprint = os.linesep.join(str_lines)
|
|
1356
|
str_toprint = os.linesep.join(str_lines)
|
|
1359
|
num_newlines = len(str_lines)
|
|
1357
|
num_newlines = len(str_lines)
|
|
1360
|
len_str = len(str_toprint)
|
|
1358
|
len_str = len(str_toprint)
|
|
1361
|
|
|
1359
|
|
|
1362
|
# Dumb heuristics to guesstimate number of on-screen lines the string
|
|
1360
|
# Dumb heuristics to guesstimate number of on-screen lines the string
|
|
1363
|
# takes. Very basic, but good enough for docstrings in reasonable
|
|
1361
|
# takes. Very basic, but good enough for docstrings in reasonable
|
|
1364
|
# terminals. If someone later feels like refining it, it's not hard.
|
|
1362
|
# terminals. If someone later feels like refining it, it's not hard.
|
|
1365
|
numlines = max(num_newlines,int(len_str/80)+1)
|
|
1363
|
numlines = max(num_newlines,int(len_str/80)+1)
|
|
1366
|
|
|
1364
|
|
|
1367
|
if os.name == "nt":
|
|
1365
|
if os.name == "nt":
|
|
1368
|
screen_lines_def = get_console_size(defaulty=25)[1]
|
|
1366
|
screen_lines_def = get_console_size(defaulty=25)[1]
|
|
1369
|
else:
|
|
1367
|
else:
|
|
1370
|
screen_lines_def = 25 # default value if we can't auto-determine
|
|
1368
|
screen_lines_def = 25 # default value if we can't auto-determine
|
|
1371
|
|
|
1369
|
|
|
1372
|
# auto-determine screen size
|
|
1370
|
# auto-determine screen size
|
|
1373
|
if screen_lines <= 0:
|
|
1371
|
if screen_lines <= 0:
|
|
1374
|
if TERM=='xterm':
|
|
1372
|
if TERM=='xterm':
|
|
1375
|
try:
|
|
1373
|
try:
|
|
1376
|
import curses
|
|
1374
|
import curses
|
|
1377
|
if hasattr(curses,'initscr'):
|
|
1375
|
if hasattr(curses,'initscr'):
|
|
1378
|
use_curses = 1
|
|
1376
|
use_curses = 1
|
|
1379
|
else:
|
|
1377
|
else:
|
|
1380
|
use_curses = 0
|
|
1378
|
use_curses = 0
|
|
1381
|
except ImportError:
|
|
1379
|
except ImportError:
|
|
1382
|
use_curses = 0
|
|
1380
|
use_curses = 0
|
|
1383
|
else:
|
|
1381
|
else:
|
|
1384
|
# curses causes problems on many terminals other than xterm.
|
|
1382
|
# curses causes problems on many terminals other than xterm.
|
|
1385
|
use_curses = 0
|
|
1383
|
use_curses = 0
|
|
1386
|
if use_curses:
|
|
1384
|
if use_curses:
|
|
1387
|
scr = curses.initscr()
|
|
1385
|
scr = curses.initscr()
|
|
1388
|
screen_lines_real,screen_cols = scr.getmaxyx()
|
|
1386
|
screen_lines_real,screen_cols = scr.getmaxyx()
|
|
1389
|
curses.endwin()
|
|
1387
|
curses.endwin()
|
|
1390
|
screen_lines += screen_lines_real
|
|
1388
|
screen_lines += screen_lines_real
|
|
1391
|
#print '***Screen size:',screen_lines_real,'lines x',\
|
|
1389
|
#print '***Screen size:',screen_lines_real,'lines x',\
|
|
1392
|
#screen_cols,'columns.' # dbg
|
|
1390
|
#screen_cols,'columns.' # dbg
|
|
1393
|
else:
|
|
1391
|
else:
|
|
1394
|
screen_lines += screen_lines_def
|
|
1392
|
screen_lines += screen_lines_def
|
|
1395
|
|
|
1393
|
|
|
1396
|
#print 'numlines',numlines,'screenlines',screen_lines # dbg
|
|
1394
|
#print 'numlines',numlines,'screenlines',screen_lines # dbg
|
|
1397
|
if numlines <= screen_lines :
|
|
1395
|
if numlines <= screen_lines :
|
|
1398
|
#print '*** normal print' # dbg
|
|
1396
|
#print '*** normal print' # dbg
|
|
1399
|
print >>Term.cout, str_toprint
|
|
1397
|
print >>Term.cout, str_toprint
|
|
1400
|
else:
|
|
1398
|
else:
|
|
1401
|
# Try to open pager and default to internal one if that fails.
|
|
1399
|
# Try to open pager and default to internal one if that fails.
|
|
1402
|
# All failure modes are tagged as 'retval=1', to match the return
|
|
1400
|
# All failure modes are tagged as 'retval=1', to match the return
|
|
1403
|
# value of a failed system command. If any intermediate attempt
|
|
1401
|
# value of a failed system command. If any intermediate attempt
|
|
1404
|
# sets retval to 1, at the end we resort to our own page_dumb() pager.
|
|
1402
|
# sets retval to 1, at the end we resort to our own page_dumb() pager.
|
|
1405
|
pager_cmd = get_pager_cmd(pager_cmd)
|
|
1403
|
pager_cmd = get_pager_cmd(pager_cmd)
|
|
1406
|
pager_cmd += ' ' + get_pager_start(pager_cmd,start)
|
|
1404
|
pager_cmd += ' ' + get_pager_start(pager_cmd,start)
|
|
1407
|
if os.name == 'nt':
|
|
1405
|
if os.name == 'nt':
|
|
1408
|
if pager_cmd.startswith('type'):
|
|
1406
|
if pager_cmd.startswith('type'):
|
|
1409
|
# The default WinXP 'type' command is failing on complex strings.
|
|
1407
|
# The default WinXP 'type' command is failing on complex strings.
|
|
1410
|
retval = 1
|
|
1408
|
retval = 1
|
|
1411
|
else:
|
|
1409
|
else:
|
|
1412
|
tmpname = tempfile.mktemp('.txt')
|
|
1410
|
tmpname = tempfile.mktemp('.txt')
|
|
1413
|
tmpfile = file(tmpname,'wt')
|
|
1411
|
tmpfile = file(tmpname,'wt')
|
|
1414
|
tmpfile.write(strng)
|
|
1412
|
tmpfile.write(strng)
|
|
1415
|
tmpfile.close()
|
|
1413
|
tmpfile.close()
|
|
1416
|
cmd = "%s < %s" % (pager_cmd,tmpname)
|
|
1414
|
cmd = "%s < %s" % (pager_cmd,tmpname)
|
|
1417
|
if os.system(cmd):
|
|
1415
|
if os.system(cmd):
|
|
1418
|
retval = 1
|
|
1416
|
retval = 1
|
|
1419
|
else:
|
|
1417
|
else:
|
|
1420
|
retval = None
|
|
1418
|
retval = None
|
|
1421
|
os.remove(tmpname)
|
|
1419
|
os.remove(tmpname)
|
|
1422
|
else:
|
|
1420
|
else:
|
|
1423
|
try:
|
|
1421
|
try:
|
|
1424
|
retval = None
|
|
1422
|
retval = None
|
|
1425
|
# if I use popen4, things hang. No idea why.
|
|
1423
|
# if I use popen4, things hang. No idea why.
|
|
1426
|
#pager,shell_out = os.popen4(pager_cmd)
|
|
1424
|
#pager,shell_out = os.popen4(pager_cmd)
|
|
1427
|
pager = os.popen(pager_cmd,'w')
|
|
1425
|
pager = os.popen(pager_cmd,'w')
|
|
1428
|
pager.write(strng)
|
|
1426
|
pager.write(strng)
|
|
1429
|
pager.close()
|
|
1427
|
pager.close()
|
|
1430
|
retval = pager.close() # success returns None
|
|
1428
|
retval = pager.close() # success returns None
|
|
1431
|
except IOError,msg: # broken pipe when user quits
|
|
1429
|
except IOError,msg: # broken pipe when user quits
|
|
1432
|
if msg.args == (32,'Broken pipe'):
|
|
1430
|
if msg.args == (32,'Broken pipe'):
|
|
1433
|
retval = None
|
|
1431
|
retval = None
|
|
1434
|
else:
|
|
1432
|
else:
|
|
1435
|
retval = 1
|
|
1433
|
retval = 1
|
|
1436
|
except OSError:
|
|
1434
|
except OSError:
|
|
1437
|
# Other strange problems, sometimes seen in Win2k/cygwin
|
|
1435
|
# Other strange problems, sometimes seen in Win2k/cygwin
|
|
1438
|
retval = 1
|
|
1436
|
retval = 1
|
|
1439
|
if retval is not None:
|
|
1437
|
if retval is not None:
|
|
1440
|
page_dumb(strng,screen_lines=screen_lines)
|
|
1438
|
page_dumb(strng,screen_lines=screen_lines)
|
|
1441
|
|
|
1439
|
|
|
1442
|
#----------------------------------------------------------------------------
|
|
1440
|
#----------------------------------------------------------------------------
|
|
1443
|
def page_file(fname,start = 0, pager_cmd = None):
|
|
1441
|
def page_file(fname,start = 0, pager_cmd = None):
|
|
1444
|
"""Page a file, using an optional pager command and starting line.
|
|
1442
|
"""Page a file, using an optional pager command and starting line.
|
|
1445
|
"""
|
|
1443
|
"""
|
|
1446
|
|
|
1444
|
|
|
1447
|
pager_cmd = get_pager_cmd(pager_cmd)
|
|
1445
|
pager_cmd = get_pager_cmd(pager_cmd)
|
|
1448
|
pager_cmd += ' ' + get_pager_start(pager_cmd,start)
|
|
1446
|
pager_cmd += ' ' + get_pager_start(pager_cmd,start)
|
|
1449
|
|
|
1447
|
|
|
1450
|
try:
|
|
1448
|
try:
|
|
1451
|
if os.environ['TERM'] in ['emacs','dumb']:
|
|
1449
|
if os.environ['TERM'] in ['emacs','dumb']:
|
|
1452
|
raise EnvironmentError
|
|
1450
|
raise EnvironmentError
|
|
1453
|
xsys(pager_cmd + ' ' + fname)
|
|
1451
|
xsys(pager_cmd + ' ' + fname)
|
|
1454
|
except:
|
|
1452
|
except:
|
|
1455
|
try:
|
|
1453
|
try:
|
|
1456
|
if start > 0:
|
|
1454
|
if start > 0:
|
|
1457
|
start -= 1
|
|
1455
|
start -= 1
|
|
1458
|
page(open(fname).read(),start)
|
|
1456
|
page(open(fname).read(),start)
|
|
1459
|
except:
|
|
1457
|
except:
|
|
1460
|
print 'Unable to show file',`fname`
|
|
1458
|
print 'Unable to show file',`fname`
|
|
1461
|
|
|
1459
|
|
|
1462
|
#----------------------------------------------------------------------------
|
|
1460
|
#----------------------------------------------------------------------------
|
|
1463
|
def snip_print(str,width = 75,print_full = 0,header = ''):
|
|
1461
|
def snip_print(str,width = 75,print_full = 0,header = ''):
|
|
1464
|
"""Print a string snipping the midsection to fit in width.
|
|
1462
|
"""Print a string snipping the midsection to fit in width.
|
|
1465
|
|
|
1463
|
|
|
1466
|
print_full: mode control:
|
|
1464
|
print_full: mode control:
|
|
1467
|
- 0: only snip long strings
|
|
1465
|
- 0: only snip long strings
|
|
1468
|
- 1: send to page() directly.
|
|
1466
|
- 1: send to page() directly.
|
|
1469
|
- 2: snip long strings and ask for full length viewing with page()
|
|
1467
|
- 2: snip long strings and ask for full length viewing with page()
|
|
1470
|
Return 1 if snipping was necessary, 0 otherwise."""
|
|
1468
|
Return 1 if snipping was necessary, 0 otherwise."""
|
|
1471
|
|
|
1469
|
|
|
1472
|
if print_full == 1:
|
|
1470
|
if print_full == 1:
|
|
1473
|
page(header+str)
|
|
1471
|
page(header+str)
|
|
1474
|
return 0
|
|
1472
|
return 0
|
|
1475
|
|
|
1473
|
|
|
1476
|
print header,
|
|
1474
|
print header,
|
|
1477
|
if len(str) < width:
|
|
1475
|
if len(str) < width:
|
|
1478
|
print str
|
|
1476
|
print str
|
|
1479
|
snip = 0
|
|
1477
|
snip = 0
|
|
1480
|
else:
|
|
1478
|
else:
|
|
1481
|
whalf = int((width -5)/2)
|
|
1479
|
whalf = int((width -5)/2)
|
|
1482
|
print str[:whalf] + ' <...> ' + str[-whalf:]
|
|
1480
|
print str[:whalf] + ' <...> ' + str[-whalf:]
|
|
1483
|
snip = 1
|
|
1481
|
snip = 1
|
|
1484
|
if snip and print_full == 2:
|
|
1482
|
if snip and print_full == 2:
|
|
1485
|
if raw_input(header+' Snipped. View (y/n)? [N]').lower() == 'y':
|
|
1483
|
if raw_input(header+' Snipped. View (y/n)? [N]').lower() == 'y':
|
|
1486
|
page(str)
|
|
1484
|
page(str)
|
|
1487
|
return snip
|
|
1485
|
return snip
|
|
1488
|
|
|
1486
|
|
|
1489
|
#****************************************************************************
|
|
1487
|
#****************************************************************************
|
|
1490
|
# lists, dicts and structures
|
|
1488
|
# lists, dicts and structures
|
|
1491
|
|
|
1489
|
|
|
1492
|
def belong(candidates,checklist):
|
|
1490
|
def belong(candidates,checklist):
|
|
1493
|
"""Check whether a list of items appear in a given list of options.
|
|
1491
|
"""Check whether a list of items appear in a given list of options.
|
|
1494
|
|
|
1492
|
|
|
1495
|
Returns a list of 1 and 0, one for each candidate given."""
|
|
1493
|
Returns a list of 1 and 0, one for each candidate given."""
|
|
1496
|
|
|
1494
|
|
|
1497
|
return [x in checklist for x in candidates]
|
|
1495
|
return [x in checklist for x in candidates]
|
|
1498
|
|
|
1496
|
|
|
1499
|
#----------------------------------------------------------------------------
|
|
1497
|
#----------------------------------------------------------------------------
|
|
1500
|
def uniq_stable(elems):
|
|
1498
|
def uniq_stable(elems):
|
|
1501
|
"""uniq_stable(elems) -> list
|
|
1499
|
"""uniq_stable(elems) -> list
|
|
1502
|
|
|
1500
|
|
|
1503
|
Return from an iterable, a list of all the unique elements in the input,
|
|
1501
|
Return from an iterable, a list of all the unique elements in the input,
|
|
1504
|
but maintaining the order in which they first appear.
|
|
1502
|
but maintaining the order in which they first appear.
|
|
1505
|
|
|
1503
|
|
|
1506
|
A naive solution to this problem which just makes a dictionary with the
|
|
1504
|
A naive solution to this problem which just makes a dictionary with the
|
|
1507
|
elements as keys fails to respect the stability condition, since
|
|
1505
|
elements as keys fails to respect the stability condition, since
|
|
1508
|
dictionaries are unsorted by nature.
|
|
1506
|
dictionaries are unsorted by nature.
|
|
1509
|
|
|
1507
|
|
|
1510
|
Note: All elements in the input must be valid dictionary keys for this
|
|
1508
|
Note: All elements in the input must be valid dictionary keys for this
|
|
1511
|
routine to work, as it internally uses a dictionary for efficiency
|
|
1509
|
routine to work, as it internally uses a dictionary for efficiency
|
|
1512
|
reasons."""
|
|
1510
|
reasons."""
|
|
1513
|
|
|
1511
|
|
|
1514
|
unique = []
|
|
1512
|
unique = []
|
|
1515
|
unique_dict = {}
|
|
1513
|
unique_dict = {}
|
|
1516
|
for nn in elems:
|
|
1514
|
for nn in elems:
|
|
1517
|
if nn not in unique_dict:
|
|
1515
|
if nn not in unique_dict:
|
|
1518
|
unique.append(nn)
|
|
1516
|
unique.append(nn)
|
|
1519
|
unique_dict[nn] = None
|
|
1517
|
unique_dict[nn] = None
|
|
1520
|
return unique
|
|
1518
|
return unique
|
|
1521
|
|
|
1519
|
|
|
1522
|
#----------------------------------------------------------------------------
|
|
1520
|
#----------------------------------------------------------------------------
|
|
1523
|
class NLprinter:
|
|
1521
|
class NLprinter:
|
|
1524
|
"""Print an arbitrarily nested list, indicating index numbers.
|
|
1522
|
"""Print an arbitrarily nested list, indicating index numbers.
|
|
1525
|
|
|
1523
|
|
|
1526
|
An instance of this class called nlprint is available and callable as a
|
|
1524
|
An instance of this class called nlprint is available and callable as a
|
|
1527
|
function.
|
|
1525
|
function.
|
|
1528
|
|
|
1526
|
|
|
1529
|
nlprint(list,indent=' ',sep=': ') -> prints indenting each level by 'indent'
|
|
1527
|
nlprint(list,indent=' ',sep=': ') -> prints indenting each level by 'indent'
|
|
1530
|
and using 'sep' to separate the index from the value. """
|
|
1528
|
and using 'sep' to separate the index from the value. """
|
|
1531
|
|
|
1529
|
|
|
1532
|
def __init__(self):
|
|
1530
|
def __init__(self):
|
|
1533
|
self.depth = 0
|
|
1531
|
self.depth = 0
|
|
1534
|
|
|
1532
|
|
|
1535
|
def __call__(self,lst,pos='',**kw):
|
|
1533
|
def __call__(self,lst,pos='',**kw):
|
|
1536
|
"""Prints the nested list numbering levels."""
|
|
1534
|
"""Prints the nested list numbering levels."""
|
|
1537
|
kw.setdefault('indent',' ')
|
|
1535
|
kw.setdefault('indent',' ')
|
|
1538
|
kw.setdefault('sep',': ')
|
|
1536
|
kw.setdefault('sep',': ')
|
|
1539
|
kw.setdefault('start',0)
|
|
1537
|
kw.setdefault('start',0)
|
|
1540
|
kw.setdefault('stop',len(lst))
|
|
1538
|
kw.setdefault('stop',len(lst))
|
|
1541
|
# we need to remove start and stop from kw so they don't propagate
|
|
1539
|
# we need to remove start and stop from kw so they don't propagate
|
|
1542
|
# into a recursive call for a nested list.
|
|
1540
|
# into a recursive call for a nested list.
|
|
1543
|
start = kw['start']; del kw['start']
|
|
1541
|
start = kw['start']; del kw['start']
|
|
1544
|
stop = kw['stop']; del kw['stop']
|
|
1542
|
stop = kw['stop']; del kw['stop']
|
|
1545
|
if self.depth == 0 and 'header' in kw.keys():
|
|
1543
|
if self.depth == 0 and 'header' in kw.keys():
|
|
1546
|
print kw['header']
|
|
1544
|
print kw['header']
|
|
1547
|
|
|
1545
|
|
|
1548
|
for idx in range(start,stop):
|
|
1546
|
for idx in range(start,stop):
|
|
1549
|
elem = lst[idx]
|
|
1547
|
elem = lst[idx]
|
|
1550
|
if type(elem)==type([]):
|
|
1548
|
if type(elem)==type([]):
|
|
1551
|
self.depth += 1
|
|
1549
|
self.depth += 1
|
|
1552
|
self.__call__(elem,itpl('$pos$idx,'),**kw)
|
|
1550
|
self.__call__(elem,itpl('$pos$idx,'),**kw)
|
|
1553
|
self.depth -= 1
|
|
1551
|
self.depth -= 1
|
|
1554
|
else:
|
|
1552
|
else:
|
|
1555
|
printpl(kw['indent']*self.depth+'$pos$idx$kw["sep"]$elem')
|
|
1553
|
printpl(kw['indent']*self.depth+'$pos$idx$kw["sep"]$elem')
|
|
1556
|
|
|
1554
|
|
|
1557
|
nlprint = NLprinter()
|
|
1555
|
nlprint = NLprinter()
|
|
1558
|
#----------------------------------------------------------------------------
|
|
1556
|
#----------------------------------------------------------------------------
|
|
1559
|
def all_belong(candidates,checklist):
|
|
1557
|
def all_belong(candidates,checklist):
|
|
1560
|
"""Check whether a list of items ALL appear in a given list of options.
|
|
1558
|
"""Check whether a list of items ALL appear in a given list of options.
|
|
1561
|
|
|
1559
|
|
|
1562
|
Returns a single 1 or 0 value."""
|
|
1560
|
Returns a single 1 or 0 value."""
|
|
1563
|
|
|
1561
|
|
|
1564
|
return 1-(0 in [x in checklist for x in candidates])
|
|
1562
|
return 1-(0 in [x in checklist for x in candidates])
|
|
1565
|
|
|
1563
|
|
|
1566
|
#----------------------------------------------------------------------------
|
|
1564
|
#----------------------------------------------------------------------------
|
|
1567
|
def sort_compare(lst1,lst2,inplace = 1):
|
|
1565
|
def sort_compare(lst1,lst2,inplace = 1):
|
|
1568
|
"""Sort and compare two lists.
|
|
1566
|
"""Sort and compare two lists.
|
|
1569
|
|
|
1567
|
|
|
1570
|
By default it does it in place, thus modifying the lists. Use inplace = 0
|
|
1568
|
By default it does it in place, thus modifying the lists. Use inplace = 0
|
|
1571
|
to avoid that (at the cost of temporary copy creation)."""
|
|
1569
|
to avoid that (at the cost of temporary copy creation)."""
|
|
1572
|
if not inplace:
|
|
1570
|
if not inplace:
|
|
1573
|
lst1 = lst1[:]
|
|
1571
|
lst1 = lst1[:]
|
|
1574
|
lst2 = lst2[:]
|
|
1572
|
lst2 = lst2[:]
|
|
1575
|
lst1.sort(); lst2.sort()
|
|
1573
|
lst1.sort(); lst2.sort()
|
|
1576
|
return lst1 == lst2
|
|
1574
|
return lst1 == lst2
|
|
1577
|
|
|
1575
|
|
|
1578
|
#----------------------------------------------------------------------------
|
|
1576
|
#----------------------------------------------------------------------------
|
|
1579
|
def mkdict(**kwargs):
|
|
1577
|
def mkdict(**kwargs):
|
|
1580
|
"""Return a dict from a keyword list.
|
|
1578
|
"""Return a dict from a keyword list.
|
|
1581
|
|
|
1579
|
|
|
1582
|
It's just syntactic sugar for making ditcionary creation more convenient:
|
|
1580
|
It's just syntactic sugar for making ditcionary creation more convenient:
|
|
1583
|
# the standard way
|
|
1581
|
# the standard way
|
|
1584
|
>>>data = { 'red' : 1, 'green' : 2, 'blue' : 3 }
|
|
1582
|
>>>data = { 'red' : 1, 'green' : 2, 'blue' : 3 }
|
|
1585
|
# a cleaner way
|
|
1583
|
# a cleaner way
|
|
1586
|
>>>data = dict(red=1, green=2, blue=3)
|
|
1584
|
>>>data = dict(red=1, green=2, blue=3)
|
|
1587
|
|
|
1585
|
|
|
1588
|
If you need more than this, look at the Struct() class."""
|
|
1586
|
If you need more than this, look at the Struct() class."""
|
|
1589
|
|
|
1587
|
|
|
1590
|
return kwargs
|
|
1588
|
return kwargs
|
|
1591
|
|
|
1589
|
|
|
1592
|
#----------------------------------------------------------------------------
|
|
1590
|
#----------------------------------------------------------------------------
|
|
1593
|
def list2dict(lst):
|
|
1591
|
def list2dict(lst):
|
|
1594
|
"""Takes a list of (key,value) pairs and turns it into a dict."""
|
|
1592
|
"""Takes a list of (key,value) pairs and turns it into a dict."""
|
|
1595
|
|
|
1593
|
|
|
1596
|
dic = {}
|
|
1594
|
dic = {}
|
|
1597
|
for k,v in lst: dic[k] = v
|
|
1595
|
for k,v in lst: dic[k] = v
|
|
1598
|
return dic
|
|
1596
|
return dic
|
|
1599
|
|
|
1597
|
|
|
1600
|
#----------------------------------------------------------------------------
|
|
1598
|
#----------------------------------------------------------------------------
|
|
1601
|
def list2dict2(lst,default=''):
|
|
1599
|
def list2dict2(lst,default=''):
|
|
1602
|
"""Takes a list and turns it into a dict.
|
|
1600
|
"""Takes a list and turns it into a dict.
|
|
1603
|
Much slower than list2dict, but more versatile. This version can take
|
|
1601
|
Much slower than list2dict, but more versatile. This version can take
|
|
1604
|
lists with sublists of arbitrary length (including sclars)."""
|
|
1602
|
lists with sublists of arbitrary length (including sclars)."""
|
|
1605
|
|
|
1603
|
|
|
1606
|
dic = {}
|
|
1604
|
dic = {}
|
|
1607
|
for elem in lst:
|
|
1605
|
for elem in lst:
|
|
1608
|
if type(elem) in (types.ListType,types.TupleType):
|
|
1606
|
if type(elem) in (types.ListType,types.TupleType):
|
|
1609
|
size = len(elem)
|
|
1607
|
size = len(elem)
|
|
1610
|
if size == 0:
|
|
1608
|
if size == 0:
|
|
1611
|
pass
|
|
1609
|
pass
|
|
1612
|
elif size == 1:
|
|
1610
|
elif size == 1:
|
|
1613
|
dic[elem] = default
|
|
1611
|
dic[elem] = default
|
|
1614
|
else:
|
|
1612
|
else:
|
|
1615
|
k,v = elem[0], elem[1:]
|
|
1613
|
k,v = elem[0], elem[1:]
|
|
1616
|
if len(v) == 1: v = v[0]
|
|
1614
|
if len(v) == 1: v = v[0]
|
|
1617
|
dic[k] = v
|
|
1615
|
dic[k] = v
|
|
1618
|
else:
|
|
1616
|
else:
|
|
1619
|
dic[elem] = default
|
|
1617
|
dic[elem] = default
|
|
1620
|
return dic
|
|
1618
|
return dic
|
|
1621
|
|
|
1619
|
|
|
1622
|
#----------------------------------------------------------------------------
|
|
1620
|
#----------------------------------------------------------------------------
|
|
1623
|
def flatten(seq):
|
|
1621
|
def flatten(seq):
|
|
1624
|
"""Flatten a list of lists (NOT recursive, only works for 2d lists)."""
|
|
1622
|
"""Flatten a list of lists (NOT recursive, only works for 2d lists)."""
|
|
1625
|
|
|
1623
|
|
|
1626
|
return [x for subseq in seq for x in subseq]
|
|
1624
|
return [x for subseq in seq for x in subseq]
|
|
1627
|
|
|
1625
|
|
|
1628
|
#----------------------------------------------------------------------------
|
|
1626
|
#----------------------------------------------------------------------------
|
|
1629
|
def get_slice(seq,start=0,stop=None,step=1):
|
|
1627
|
def get_slice(seq,start=0,stop=None,step=1):
|
|
1630
|
"""Get a slice of a sequence with variable step. Specify start,stop,step."""
|
|
1628
|
"""Get a slice of a sequence with variable step. Specify start,stop,step."""
|
|
1631
|
if stop == None:
|
|
1629
|
if stop == None:
|
|
1632
|
stop = len(seq)
|
|
1630
|
stop = len(seq)
|
|
1633
|
item = lambda i: seq[i]
|
|
1631
|
item = lambda i: seq[i]
|
|
1634
|
return map(item,xrange(start,stop,step))
|
|
1632
|
return map(item,xrange(start,stop,step))
|
|
1635
|
|
|
1633
|
|
|
1636
|
#----------------------------------------------------------------------------
|
|
1634
|
#----------------------------------------------------------------------------
|
|
1637
|
def chop(seq,size):
|
|
1635
|
def chop(seq,size):
|
|
1638
|
"""Chop a sequence into chunks of the given size."""
|
|
1636
|
"""Chop a sequence into chunks of the given size."""
|
|
1639
|
chunk = lambda i: seq[i:i+size]
|
|
1637
|
chunk = lambda i: seq[i:i+size]
|
|
1640
|
return map(chunk,xrange(0,len(seq),size))
|
|
1638
|
return map(chunk,xrange(0,len(seq),size))
|
|
1641
|
|
|
1639
|
|
|
1642
|
#----------------------------------------------------------------------------
|
|
1640
|
#----------------------------------------------------------------------------
|
|
1643
|
# with is a keyword as of python 2.5, so this function is renamed to withobj
|
|
1641
|
# with is a keyword as of python 2.5, so this function is renamed to withobj
|
|
1644
|
# from its old 'with' name.
|
|
1642
|
# from its old 'with' name.
|
|
1645
|
def with_obj(object, **args):
|
|
1643
|
def with_obj(object, **args):
|
|
1646
|
"""Set multiple attributes for an object, similar to Pascal's with.
|
|
1644
|
"""Set multiple attributes for an object, similar to Pascal's with.
|
|
1647
|
|
|
1645
|
|
|
1648
|
Example:
|
|
1646
|
Example:
|
|
1649
|
with_obj(jim,
|
|
1647
|
with_obj(jim,
|
|
1650
|
born = 1960,
|
|
1648
|
born = 1960,
|
|
1651
|
haircolour = 'Brown',
|
|
1649
|
haircolour = 'Brown',
|
|
1652
|
eyecolour = 'Green')
|
|
1650
|
eyecolour = 'Green')
|
|
1653
|
|
|
1651
|
|
|
1654
|
Credit: Greg Ewing, in
|
|
1652
|
Credit: Greg Ewing, in
|
|
1655
|
http://mail.python.org/pipermail/python-list/2001-May/040703.html.
|
|
1653
|
http://mail.python.org/pipermail/python-list/2001-May/040703.html.
|
|
1656
|
|
|
1654
|
|
|
1657
|
NOTE: up until IPython 0.7.2, this was called simply 'with', but 'with'
|
|
1655
|
NOTE: up until IPython 0.7.2, this was called simply 'with', but 'with'
|
|
1658
|
has become a keyword for Python 2.5, so we had to rename it."""
|
|
1656
|
has become a keyword for Python 2.5, so we had to rename it."""
|
|
1659
|
|
|
1657
|
|
|
1660
|
object.__dict__.update(args)
|
|
1658
|
object.__dict__.update(args)
|
|
1661
|
|
|
1659
|
|
|
1662
|
#----------------------------------------------------------------------------
|
|
1660
|
#----------------------------------------------------------------------------
|
|
1663
|
def setattr_list(obj,alist,nspace = None):
|
|
1661
|
def setattr_list(obj,alist,nspace = None):
|
|
1664
|
"""Set a list of attributes for an object taken from a namespace.
|
|
1662
|
"""Set a list of attributes for an object taken from a namespace.
|
|
1665
|
|
|
1663
|
|
|
1666
|
setattr_list(obj,alist,nspace) -> sets in obj all the attributes listed in
|
|
1664
|
setattr_list(obj,alist,nspace) -> sets in obj all the attributes listed in
|
|
1667
|
alist with their values taken from nspace, which must be a dict (something
|
|
1665
|
alist with their values taken from nspace, which must be a dict (something
|
|
1668
|
like locals() will often do) If nspace isn't given, locals() of the
|
|
1666
|
like locals() will often do) If nspace isn't given, locals() of the
|
|
1669
|
*caller* is used, so in most cases you can omit it.
|
|
1667
|
*caller* is used, so in most cases you can omit it.
|
|
1670
|
|
|
1668
|
|
|
1671
|
Note that alist can be given as a string, which will be automatically
|
|
1669
|
Note that alist can be given as a string, which will be automatically
|
|
1672
|
split into a list on whitespace. If given as a list, it must be a list of
|
|
1670
|
split into a list on whitespace. If given as a list, it must be a list of
|
|
1673
|
*strings* (the variable names themselves), not of variables."""
|
|
1671
|
*strings* (the variable names themselves), not of variables."""
|
|
1674
|
|
|
1672
|
|
|
1675
|
# this grabs the local variables from the *previous* call frame -- that is
|
|
1673
|
# this grabs the local variables from the *previous* call frame -- that is
|
|
1676
|
# the locals from the function that called setattr_list().
|
|
1674
|
# the locals from the function that called setattr_list().
|
|
1677
|
# - snipped from weave.inline()
|
|
1675
|
# - snipped from weave.inline()
|
|
1678
|
if nspace is None:
|
|
1676
|
if nspace is None:
|
|
1679
|
call_frame = sys._getframe().f_back
|
|
1677
|
call_frame = sys._getframe().f_back
|
|
1680
|
nspace = call_frame.f_locals
|
|
1678
|
nspace = call_frame.f_locals
|
|
1681
|
|
|
1679
|
|
|
1682
|
if type(alist) in StringTypes:
|
|
1680
|
if type(alist) in StringTypes:
|
|
1683
|
alist = alist.split()
|
|
1681
|
alist = alist.split()
|
|
1684
|
for attr in alist:
|
|
1682
|
for attr in alist:
|
|
1685
|
val = eval(attr,nspace)
|
|
1683
|
val = eval(attr,nspace)
|
|
1686
|
setattr(obj,attr,val)
|
|
1684
|
setattr(obj,attr,val)
|
|
1687
|
|
|
1685
|
|
|
1688
|
#----------------------------------------------------------------------------
|
|
1686
|
#----------------------------------------------------------------------------
|
|
1689
|
def getattr_list(obj,alist,*args):
|
|
1687
|
def getattr_list(obj,alist,*args):
|
|
1690
|
"""getattr_list(obj,alist[, default]) -> attribute list.
|
|
1688
|
"""getattr_list(obj,alist[, default]) -> attribute list.
|
|
1691
|
|
|
1689
|
|
|
1692
|
Get a list of named attributes for an object. When a default argument is
|
|
1690
|
Get a list of named attributes for an object. When a default argument is
|
|
1693
|
given, it is returned when the attribute doesn't exist; without it, an
|
|
1691
|
given, it is returned when the attribute doesn't exist; without it, an
|
|
1694
|
exception is raised in that case.
|
|
1692
|
exception is raised in that case.
|
|
1695
|
|
|
1693
|
|
|
1696
|
Note that alist can be given as a string, which will be automatically
|
|
1694
|
Note that alist can be given as a string, which will be automatically
|
|
1697
|
split into a list on whitespace. If given as a list, it must be a list of
|
|
1695
|
split into a list on whitespace. If given as a list, it must be a list of
|
|
1698
|
*strings* (the variable names themselves), not of variables."""
|
|
1696
|
*strings* (the variable names themselves), not of variables."""
|
|
1699
|
|
|
1697
|
|
|
1700
|
if type(alist) in StringTypes:
|
|
1698
|
if type(alist) in StringTypes:
|
|
1701
|
alist = alist.split()
|
|
1699
|
alist = alist.split()
|
|
1702
|
if args:
|
|
1700
|
if args:
|
|
1703
|
if len(args)==1:
|
|
1701
|
if len(args)==1:
|
|
1704
|
default = args[0]
|
|
1702
|
default = args[0]
|
|
1705
|
return map(lambda attr: getattr(obj,attr,default),alist)
|
|
1703
|
return map(lambda attr: getattr(obj,attr,default),alist)
|
|
1706
|
else:
|
|
1704
|
else:
|
|
1707
|
raise ValueError,'getattr_list() takes only one optional argument'
|
|
1705
|
raise ValueError,'getattr_list() takes only one optional argument'
|
|
1708
|
else:
|
|
1706
|
else:
|
|
1709
|
return map(lambda attr: getattr(obj,attr),alist)
|
|
1707
|
return map(lambda attr: getattr(obj,attr),alist)
|
|
1710
|
|
|
1708
|
|
|
1711
|
#----------------------------------------------------------------------------
|
|
1709
|
#----------------------------------------------------------------------------
|
|
1712
|
def map_method(method,object_list,*argseq,**kw):
|
|
1710
|
def map_method(method,object_list,*argseq,**kw):
|
|
1713
|
"""map_method(method,object_list,*args,**kw) -> list
|
|
1711
|
"""map_method(method,object_list,*args,**kw) -> list
|
|
1714
|
|
|
1712
|
|
|
1715
|
Return a list of the results of applying the methods to the items of the
|
|
1713
|
Return a list of the results of applying the methods to the items of the
|
|
1716
|
argument sequence(s). If more than one sequence is given, the method is
|
|
1714
|
argument sequence(s). If more than one sequence is given, the method is
|
|
1717
|
called with an argument list consisting of the corresponding item of each
|
|
1715
|
called with an argument list consisting of the corresponding item of each
|
|
1718
|
sequence. All sequences must be of the same length.
|
|
1716
|
sequence. All sequences must be of the same length.
|
|
1719
|
|
|
1717
|
|
|
1720
|
Keyword arguments are passed verbatim to all objects called.
|
|
1718
|
Keyword arguments are passed verbatim to all objects called.
|
|
1721
|
|
|
1719
|
|
|
1722
|
This is Python code, so it's not nearly as fast as the builtin map()."""
|
|
1720
|
This is Python code, so it's not nearly as fast as the builtin map()."""
|
|
1723
|
|
|
1721
|
|
|
1724
|
out_list = []
|
|
1722
|
out_list = []
|
|
1725
|
idx = 0
|
|
1723
|
idx = 0
|
|
1726
|
for object in object_list:
|
|
1724
|
for object in object_list:
|
|
1727
|
try:
|
|
1725
|
try:
|
|
1728
|
handler = getattr(object, method)
|
|
1726
|
handler = getattr(object, method)
|
|
1729
|
except AttributeError:
|
|
1727
|
except AttributeError:
|
|
1730
|
out_list.append(None)
|
|
1728
|
out_list.append(None)
|
|
1731
|
else:
|
|
1729
|
else:
|
|
1732
|
if argseq:
|
|
1730
|
if argseq:
|
|
1733
|
args = map(lambda lst:lst[idx],argseq)
|
|
1731
|
args = map(lambda lst:lst[idx],argseq)
|
|
1734
|
#print 'ob',object,'hand',handler,'ar',args # dbg
|
|
1732
|
#print 'ob',object,'hand',handler,'ar',args # dbg
|
|
1735
|
out_list.append(handler(args,**kw))
|
|
1733
|
out_list.append(handler(args,**kw))
|
|
1736
|
else:
|
|
1734
|
else:
|
|
1737
|
out_list.append(handler(**kw))
|
|
1735
|
out_list.append(handler(**kw))
|
|
1738
|
idx += 1
|
|
1736
|
idx += 1
|
|
1739
|
return out_list
|
|
1737
|
return out_list
|
|
1740
|
|
|
1738
|
|
|
1741
|
#----------------------------------------------------------------------------
|
|
1739
|
#----------------------------------------------------------------------------
|
|
1742
|
def import_fail_info(mod_name,fns=None):
|
|
1740
|
def import_fail_info(mod_name,fns=None):
|
|
1743
|
"""Inform load failure for a module."""
|
|
1741
|
"""Inform load failure for a module."""
|
|
1744
|
|
|
1742
|
|
|
1745
|
if fns == None:
|
|
1743
|
if fns == None:
|
|
1746
|
warn("Loading of %s failed.\n" % (mod_name,))
|
|
1744
|
warn("Loading of %s failed.\n" % (mod_name,))
|
|
1747
|
else:
|
|
1745
|
else:
|
|
1748
|
warn("Loading of %s from %s failed.\n" % (fns,mod_name))
|
|
1746
|
warn("Loading of %s from %s failed.\n" % (fns,mod_name))
|
|
1749
|
|
|
1747
|
|
|
1750
|
#----------------------------------------------------------------------------
|
|
1748
|
#----------------------------------------------------------------------------
|
|
1751
|
# Proposed popitem() extension, written as a method
|
|
1749
|
# Proposed popitem() extension, written as a method
|
|
1752
|
|
|
1750
|
|
|
1753
|
|
|
1751
|
|
|
1754
|
class NotGiven: pass
|
|
1752
|
class NotGiven: pass
|
|
1755
|
|
|
1753
|
|
|
1756
|
def popkey(dct,key,default=NotGiven):
|
|
1754
|
def popkey(dct,key,default=NotGiven):
|
|
1757
|
"""Return dct[key] and delete dct[key].
|
|
1755
|
"""Return dct[key] and delete dct[key].
|
|
1758
|
|
|
1756
|
|
|
1759
|
If default is given, return it if dct[key] doesn't exist, otherwise raise
|
|
1757
|
If default is given, return it if dct[key] doesn't exist, otherwise raise
|
|
1760
|
KeyError. """
|
|
1758
|
KeyError. """
|
|
1761
|
|
|
1759
|
|
|
1762
|
try:
|
|
1760
|
try:
|
|
1763
|
val = dct[key]
|
|
1761
|
val = dct[key]
|
|
1764
|
except KeyError:
|
|
1762
|
except KeyError:
|
|
1765
|
if default is NotGiven:
|
|
1763
|
if default is NotGiven:
|
|
1766
|
raise
|
|
1764
|
raise
|
|
1767
|
else:
|
|
1765
|
else:
|
|
1768
|
return default
|
|
1766
|
return default
|
|
1769
|
else:
|
|
1767
|
else:
|
|
1770
|
del dct[key]
|
|
1768
|
del dct[key]
|
|
1771
|
return val
|
|
1769
|
return val
|
|
1772
|
|
|
1770
|
|
|
1773
|
def wrap_deprecated(func, suggest = '<nothing>'):
|
|
1771
|
def wrap_deprecated(func, suggest = '<nothing>'):
|
|
1774
|
def newFunc(*args, **kwargs):
|
|
1772
|
def newFunc(*args, **kwargs):
|
|
1775
|
warnings.warn("Call to deprecated function %s, use %s instead" %
|
|
1773
|
warnings.warn("Call to deprecated function %s, use %s instead" %
|
|
1776
|
( func.__name__, suggest),
|
|
1774
|
( func.__name__, suggest),
|
|
1777
|
category=DeprecationWarning,
|
|
1775
|
category=DeprecationWarning,
|
|
1778
|
stacklevel = 2)
|
|
1776
|
stacklevel = 2)
|
|
1779
|
return func(*args, **kwargs)
|
|
1777
|
return func(*args, **kwargs)
|
|
1780
|
return newFunc
|
|
1778
|
return newFunc
|
|
1781
|
|
|
1779
|
|
|
1782
|
#*************************** end of file <genutils.py> **********************
|
|
1780
|
#*************************** end of file <genutils.py> **********************
|
|
1783
|
|
|
1781
|
|