Mercurial > sqlpython
annotate sqlpython/sqlpyPlus.py @ 400:8903d24575f0
desc works on code
author | catherine@DellZilla |
---|---|
date | Thu, 08 Oct 2009 15:08:44 -0400 |
parents | 7fcb0ddc75a6 |
children | 0cc91493a1d4 |
rev | line source |
---|---|
189 | 1 """sqlpyPlus - extra features (inspired by Oracle SQL*Plus) for Luca Canali's sqlpython.py |
2 | |
3 Features include: | |
4 - SQL*Plus-style bind variables | |
5 - `set autobind on` stores single-line result sets in bind variables automatically | |
6 - SQL buffer with list, run, ed, get, etc.; unlike SQL*Plus, buffer stores session's full history | |
7 - @script.sql loads and runs (like SQL*Plus) | |
8 - ! runs operating-system command | |
9 - show and set to control sqlpython parameters | |
10 - SQL*Plus-style describe, spool | |
11 - write sends query result directly to file | |
12 - comments shows table and column comments | |
13 - compare ... to ... graphically compares results of two queries | |
14 - commands are case-insensitive | |
15 - context-sensitive tab-completion for table names, column names, etc. | |
16 | |
17 Use 'help' within sqlpython for details. | |
18 | |
19 Set bind variables the hard (SQL*Plus) way | |
20 exec :b = 3 | |
21 or with a python-like shorthand | |
22 :b = 3 | |
23 | |
24 - catherinedevlin.blogspot.com May 31, 2006 | |
25 """ | |
396 | 26 import sys, os, re, sqlpython, cx_Oracle, pyparsing, re, completion |
27 import datetime, pickle, binascii, subprocess, time, itertools, hashlib | |
400 | 28 import traceback, operator |
189 | 29 from cmd2 import Cmd, make_option, options, Statekeeper, Cmd2TestCase |
30 from output_templates import output_templates | |
394
58e6d66794b0
refactoring _matching_database_objects to return MetaData
catherine@DellZilla
parents:
393
diff
changeset
|
31 from schemagroup import MetaData |
317
f200a222a936
beginning to set up metadata.py
Catherine Devlin <catherine.devlin@gmail.com>
parents:
315
diff
changeset
|
32 from metadata import metaqueries |
189 | 33 from plothandler import Plot |
339
545f63b6ef42
supports bind variables in postgresql
Catherine Devlin <catherine.devlin@gmail.com>
parents:
338
diff
changeset
|
34 from sqlpython import Parser |
364
ea6d35cb6c73
images work, except brackets get escaped
catherine@cordelia
parents:
361
diff
changeset
|
35 import imagedetect |
359 | 36 import warnings |
37 warnings.filterwarnings('ignore', 'BaseException.message', DeprecationWarning) | |
189 | 38 try: |
39 import pylab | |
198
b2d8bf5f89db
merged with changes from work
catherine@Elli.myhome.westell.com
parents:
196
diff
changeset
|
40 except (RuntimeError, ImportError): |
189 | 41 pass |
42 | |
43 queries = { | |
44 'resolve': """ | |
45 SELECT object_type, object_name, owner FROM ( | |
335
00b183a103b3
bare prefix switches connection
Catherine Devlin <catherine.devlin@gmail.com>
parents:
334
diff
changeset
|
46 SELECT object_type, object_name, user AS owner, 1 priority |
189 | 47 FROM user_objects |
48 WHERE object_name = :objName | |
49 UNION ALL | |
50 SELECT ao.object_type, ao.object_name, ao.owner, 2 priority | |
51 FROM all_objects ao | |
52 JOIN user_synonyms us ON (us.table_owner = ao.owner AND us.table_name = ao.object_name) | |
53 WHERE us.synonym_name = :objName | |
54 AND ao.object_type != 'SYNONYM' | |
55 UNION ALL | |
56 SELECT ao.object_type, ao.object_name, ao.owner, 3 priority | |
57 FROM all_objects ao | |
58 JOIN all_synonyms asyn ON (asyn.table_owner = ao.owner AND asyn.table_name = ao.object_name) | |
59 WHERE asyn.synonym_name = :objName | |
60 AND ao.object_type != 'SYNONYM' | |
61 AND asyn.owner = 'PUBLIC' | |
62 UNION ALL | |
63 SELECT 'DIRECTORY' object_type, dir.directory_name, dir.owner, 6 priority | |
64 FROM all_directories dir | |
65 WHERE dir.directory_name = :objName | |
66 UNION ALL | |
67 SELECT 'DATABASE LINK' object_type, db_link, owner, 7 priority | |
68 FROM all_db_links dbl | |
69 WHERE dbl.db_link = :objName | |
70 ) ORDER BY priority ASC, | |
71 length(object_type) ASC, | |
72 object_type DESC""", # preference: PACKAGE before PACKAGE BODY, TABLE before INDEX | |
73 'tabComments': """ | |
74 SELECT comments | |
75 FROM all_tab_comments | |
76 WHERE owner = :owner | |
77 AND table_name = :table_name""", | |
78 'colComments': """ | |
193 | 79 SELECT |
189 | 80 atc.column_name, |
81 acc.comments | |
82 FROM all_tab_columns atc | |
83 JOIN all_col_comments acc ON (atc.owner = acc.owner and atc.table_name = acc.table_name and atc.column_name = acc.column_name) | |
84 WHERE atc.table_name = :object_name | |
85 AND atc.owner = :owner | |
193 | 86 ORDER BY atc.column_id;""", |
189 | 87 'oneColComments': """ |
371 | 88 SELECT atc.column_name, |
189 | 89 acc.comments |
90 FROM all_tab_columns atc | |
91 JOIN all_col_comments acc ON (atc.owner = acc.owner and atc.table_name = acc.table_name and atc.column_name = acc.column_name) | |
92 WHERE atc.table_name = :object_name | |
93 AND atc.owner = :owner | |
94 AND acc.column_name = :column_name | |
193 | 95 ORDER BY atc.column_id;""", |
189 | 96 #thanks to Senora.pm for "refs" |
97 'refs': """ | |
98 NULL referenced_by, | |
99 c2.table_name references, | |
100 c1.constraint_name constraint | |
101 FROM | |
102 user_constraints c1, | |
103 user_constraints c2 | |
104 WHERE | |
105 c1.table_name = :object_name | |
106 and c1.constraint_type ='R' | |
107 and c1.r_constraint_name = c2.constraint_name | |
108 and c1.r_owner = c2.owner | |
109 and c1.owner = :owner | |
110 UNION | |
111 SELECT c1.table_name referenced_by, | |
112 NULL references, | |
113 c1.constraint_name constraint | |
114 FROM | |
115 user_constraints c1, | |
116 user_constraints c2 | |
117 WHERE | |
118 c2.table_name = :object_name | |
119 and c1.constraint_type ='R' | |
120 and c1.r_constraint_name = c2.constraint_name | |
121 and c1.r_owner = c2.owner | |
122 and c1.owner = :owner | |
123 """ | |
124 } | |
125 | |
126 class SoftwareSearcher(object): | |
127 def __init__(self, softwareList, purpose): | |
128 self.softwareList = softwareList | |
129 self.purpose = purpose | |
130 self.software = None | |
131 def invoke(self, *args): | |
132 if not self.software: | |
133 (self.software, self.invokeString) = self.find() | |
134 argTuple = tuple([self.software] + list(args)) | |
135 os.system(self.invokeString % argTuple) | |
136 def find(self): | |
137 if self.purpose == 'text editor': | |
138 software = os.environ.get('EDITOR') | |
139 if software: | |
140 return (software, '%s %s') | |
141 for (n, (software, invokeString)) in enumerate(self.softwareList): | |
142 if os.path.exists(software): | |
143 if n > (len(self.softwareList) * 0.7): | |
144 print """ | |
145 | |
146 Using %s. Note that there are better options available for %s, | |
147 but %s couldn't find a better one in your PATH. | |
148 Feel free to open up %s | |
149 and customize it to find your favorite %s program. | |
150 | |
151 """ % (software, self.purpose, __file__, __file__, self.purpose) | |
152 return (software, invokeString) | |
153 stem = os.path.split(software)[1] | |
154 for p in os.environ['PATH'].split(os.pathsep): | |
155 if os.path.exists(os.sep.join([p, stem])): | |
156 return (stem, invokeString) | |
157 raise (OSError, """Could not find any %s programs. You will need to install one, | |
158 or customize %s to make it aware of yours. | |
159 Looked for these programs: | |
160 %s""" % (self.purpose, __file__, "\n".join([s[0] for s in self.softwareList]))) | |
161 | |
162 softwareLists = { | |
163 'diff/merge': [ | |
164 ('/usr/bin/meld',"%s %s %s"), | |
165 ('/usr/bin/kdiff3',"%s %s %s"), | |
166 (r'C:\Program Files\Araxis\Araxis Merge v6.5\Merge.exe','"%s" %s %s'), | |
167 (r'C:\Program Files\TortoiseSVN\bin\TortoiseMerge.exe', '"%s" /base:"%s" /mine:"%s"'), | |
168 ('FileMerge','%s %s %s'), | |
169 ('kompare','%s %s %s'), | |
170 ('WinMerge','%s %s %s'), | |
171 ('xxdiff','%s %s %s'), | |
172 ('fldiff','%s %s %s'), | |
173 ('gtkdiff','%s %s %s'), | |
174 ('tkdiff','%s %s %s'), | |
175 ('gvimdiff','%s %s %s'), | |
176 ('diff',"%s %s %s"), | |
177 (r'c:\windows\system32\comp.exe',"%s %s %s")], | |
178 'text editor': [ | |
179 ('gedit', '%s %s'), | |
180 ('textpad', '%s %s'), | |
181 ('notepad.exe', '%s %s'), | |
182 ('pico', '%s %s'), | |
183 ('emacs', '%s %s'), | |
184 ('vim', '%s %s'), | |
185 ('vi', '%s %s'), | |
186 ('ed', '%s %s'), | |
187 ('edlin', '%s %s') | |
188 ] | |
189 } | |
190 | |
191 diffMergeSearcher = SoftwareSearcher(softwareLists['diff/merge'],'diff/merge') | |
192 editSearcher = SoftwareSearcher(softwareLists['text editor'], 'text editor') | |
193 editor = os.environ.get('EDITOR') | |
194 if editor: | |
195 editSearcher.find = lambda: (editor, "%s %s") | |
394
58e6d66794b0
refactoring _matching_database_objects to return MetaData
catherine@DellZilla
parents:
393
diff
changeset
|
196 |
58e6d66794b0
refactoring _matching_database_objects to return MetaData
catherine@DellZilla
parents:
393
diff
changeset
|
197 |
189 | 198 class CaselessDict(dict): |
199 """dict with case-insensitive keys. | |
200 | |
201 Posted to ASPN Python Cookbook by Jeff Donner - http://aspn.activestate.com/ASPN/Cookbook/Python/Recipe/66315""" | |
202 def __init__(self, other=None): | |
203 if other: | |
204 # Doesn't do keyword args | |
205 if isinstance(other, dict): | |
206 for k,v in other.items(): | |
207 dict.__setitem__(self, k.lower(), v) | |
208 else: | |
209 for k,v in other: | |
210 dict.__setitem__(self, k.lower(), v) | |
211 def __getitem__(self, key): | |
212 return dict.__getitem__(self, key.lower()) | |
213 def __setitem__(self, key, value): | |
273
9d67065ea030
data into/out of py via binds
catherine@Elli.myhome.westell.com
parents:
272
diff
changeset
|
214 try: |
9d67065ea030
data into/out of py via binds
catherine@Elli.myhome.westell.com
parents:
272
diff
changeset
|
215 key = key.lower() |
9d67065ea030
data into/out of py via binds
catherine@Elli.myhome.westell.com
parents:
272
diff
changeset
|
216 except AttributeError: |
9d67065ea030
data into/out of py via binds
catherine@Elli.myhome.westell.com
parents:
272
diff
changeset
|
217 pass |
9d67065ea030
data into/out of py via binds
catherine@Elli.myhome.westell.com
parents:
272
diff
changeset
|
218 dict.__setitem__(self, key, value) |
189 | 219 def __contains__(self, key): |
220 return dict.__contains__(self, key.lower()) | |
221 def has_key(self, key): | |
222 return dict.has_key(self, key.lower()) | |
223 def get(self, key, def_val=None): | |
224 return dict.get(self, key.lower(), def_val) | |
225 def setdefault(self, key, def_val=None): | |
226 return dict.setdefault(self, key.lower(), def_val) | |
227 def update(self, other): | |
228 for k,v in other.items(): | |
229 dict.__setitem__(self, k.lower(), v) | |
230 def fromkeys(self, iterable, value=None): | |
231 d = CaselessDict() | |
232 for k in iterable: | |
233 dict.__setitem__(d, k.lower(), value) | |
234 return d | |
235 def pop(self, key, def_val=None): | |
236 return dict.pop(self, key.lower(), def_val) | |
237 | |
271 | 238 class ResultSet(list): |
239 pass | |
240 | |
241 class Result(tuple): | |
242 def __str__(self): | |
272 | 243 return '\n'.join('%s: %s' % (colname, self[idx]) |
244 for (idx, colname) in enumerate(self.resultset.colnames)) | |
271 | 245 def __getattr__(self, attr): |
246 attr = attr.lower() | |
247 try: | |
248 return self[self.resultset.colnames.index(attr)] | |
249 except ValueError: | |
307 | 250 if attr in ('colnames', 'statement', 'bindvars', 'resultset'): |
271 | 251 return getattr(self.resultset, attr) |
252 else: | |
253 raise AttributeError, "available columns are: " + ", ".join(self.resultset.colnames) | |
273
9d67065ea030
data into/out of py via binds
catherine@Elli.myhome.westell.com
parents:
272
diff
changeset
|
254 def bind(self): |
9d67065ea030
data into/out of py via binds
catherine@Elli.myhome.westell.com
parents:
272
diff
changeset
|
255 for (idx, colname) in enumerate(self.resultset.colnames): |
9d67065ea030
data into/out of py via binds
catherine@Elli.myhome.westell.com
parents:
272
diff
changeset
|
256 self.resultset.pystate['binds'][colname] = self[idx] |
277 | 257 self.resultset.pystate['binds'][str(idx+1)] = self[idx] |
271 | 258 |
288 | 259 def centeredSlice(lst, center=0, width=1): |
260 width = max(width, -1) | |
261 if center < 0: | |
262 end = center + width + 1 | |
263 if end >= 0: | |
264 end = None | |
265 return lst[center-width:end] | |
266 else: | |
267 return lst[max(center-width,0):center+width+1] | |
268 | |
360 | 269 |
270 def offset_to_line(instring, offset): | |
271 r""" | |
272 >>> offset_to_line('abcdefghijkl', 5) | |
273 (0, 'abcdefghijkl', 5) | |
274 >>> offset_to_line('ab\ncd\nefg', 6) | |
275 (2, 'efg', 0) | |
276 >>> offset_to_line('ab\ncd\nefg', 5) | |
277 (1, 'cd\n', 2) | |
278 >>> offset_to_line('abcdefghi\njkl', 5) | |
279 (0, 'abcdefghi\n', 5) | |
280 >>> offset_to_line('abcdefghi\njkl', 700) | |
281 | |
282 """ | |
283 lineNum = 0 | |
284 for line in instring.splitlines(True): | |
285 if offset < len(line): | |
286 return lineNum, line, offset | |
287 lineNum += 1 | |
288 offset -= len(line) | |
364
ea6d35cb6c73
images work, except brackets get escaped
catherine@cordelia
parents:
361
diff
changeset
|
289 |
ea6d35cb6c73
images work, except brackets get escaped
catherine@cordelia
parents:
361
diff
changeset
|
290 class BlobDisplayer(object): |
366 | 291 folder_name = 'sqlpython_blob_store' |
367 | 292 imgwidth = 400 |
364
ea6d35cb6c73
images work, except brackets get escaped
catherine@cordelia
parents:
361
diff
changeset
|
293 def folder_ok(self): |
ea6d35cb6c73
images work, except brackets get escaped
catherine@cordelia
parents:
361
diff
changeset
|
294 if not os.access(self.folder_name, os.F_OK): |
ea6d35cb6c73
images work, except brackets get escaped
catherine@cordelia
parents:
361
diff
changeset
|
295 try: |
ea6d35cb6c73
images work, except brackets get escaped
catherine@cordelia
parents:
361
diff
changeset
|
296 os.mkdir(self.folder_name) |
ea6d35cb6c73
images work, except brackets get escaped
catherine@cordelia
parents:
361
diff
changeset
|
297 readme = open(os.path.join(self.folder_name, 'README.txt'),'w') |
ea6d35cb6c73
images work, except brackets get escaped
catherine@cordelia
parents:
361
diff
changeset
|
298 readme.write(''' |
ea6d35cb6c73
images work, except brackets get escaped
catherine@cordelia
parents:
361
diff
changeset
|
299 Temporary files for display of BLOBs from within |
ea6d35cb6c73
images work, except brackets get escaped
catherine@cordelia
parents:
361
diff
changeset
|
300 sqlpython. Delete when sqlpython is closed.''') |
ea6d35cb6c73
images work, except brackets get escaped
catherine@cordelia
parents:
361
diff
changeset
|
301 readme.close() |
ea6d35cb6c73
images work, except brackets get escaped
catherine@cordelia
parents:
361
diff
changeset
|
302 except: |
ea6d35cb6c73
images work, except brackets get escaped
catherine@cordelia
parents:
361
diff
changeset
|
303 return False |
ea6d35cb6c73
images work, except brackets get escaped
catherine@cordelia
parents:
361
diff
changeset
|
304 return True |
367 | 305 def __init__(self, blob, under_limit): |
364
ea6d35cb6c73
images work, except brackets get escaped
catherine@cordelia
parents:
361
diff
changeset
|
306 self.url = '' |
367 | 307 if under_limit: |
308 self.blob = blob.read() | |
309 self.hashed = hashlib.md5(self.blob).hexdigest() | |
310 self.extension = imagedetect.extension_from_data(self.blob) | |
311 if self.folder_ok(): | |
312 self.file_name = '%s/%s%s' % ( | |
313 os.path.join(os.getcwd(), self.folder_name), | |
314 self.hashed, self.extension) | |
315 self.url = 'file://%s' % self.file_name | |
316 if not os.access(self.file_name, os.F_OK): | |
317 outfile = open(self.file_name, 'wb') | |
318 outfile.write(self.blob) | |
319 outfile.close() | |
364
ea6d35cb6c73
images work, except brackets get escaped
catherine@cordelia
parents:
361
diff
changeset
|
320 def __str__(self): |
367 | 321 if self.url: |
322 return '(BLOB at %s)' % self.url | |
323 else: | |
324 return '(BLOB)' | |
364
ea6d35cb6c73
images work, except brackets get escaped
catherine@cordelia
parents:
361
diff
changeset
|
325 def html(self): |
367 | 326 if self.url: |
327 return '<a href="%s"><img src="%s" width="%d" /></a>' % ( | |
328 self.url, self.url, self.imgwidth) | |
329 else: | |
330 return '(BLOB not saved, check bloblimit)' | |
360 | 331 |
189 | 332 class sqlpyPlus(sqlpython.sqlpython): |
333 defaultExtension = 'sql' | |
289
3cade02da892
replacing manual abbreviations with abbrev param
catherine@Elli.myhome.westell.com
parents:
285
diff
changeset
|
334 abbrev = True |
189 | 335 sqlpython.sqlpython.shortcuts.update({':': 'setbind', |
336 '\\': 'psql', | |
286 | 337 '@': 'get'}) |
189 | 338 multilineCommands = '''select insert update delete tselect |
339 create drop alter _multiline_comment'''.split() | |
340 sqlpython.sqlpython.noSpecialParse.append('spool') | |
341 commentGrammars = pyparsing.Or([pyparsing.Literal('--') + pyparsing.restOfLine, pyparsing.cStyleComment]) | |
246 | 342 commentGrammars = pyparsing.Or([Parser.comment_def, pyparsing.cStyleComment]) |
259
c0847a4c7f49
one-shot connection changes
catherine@Elli.myhome.westell.com
parents:
257
diff
changeset
|
343 prefixParser = pyparsing.Optional(pyparsing.Word(pyparsing.nums)('connection_number') |
c0847a4c7f49
one-shot connection changes
catherine@Elli.myhome.westell.com
parents:
257
diff
changeset
|
344 + ':') |
309
0d16630d8e04
added table comment to desc -l
catherine@Elli.myhome.westell.com
parents:
308
diff
changeset
|
345 reserved_words = [ |
0d16630d8e04
added table comment to desc -l
catherine@Elli.myhome.westell.com
parents:
308
diff
changeset
|
346 'alter', 'begin', 'comment', 'create', 'delete', 'drop', 'end', 'for', 'grant', |
0d16630d8e04
added table comment to desc -l
catherine@Elli.myhome.westell.com
parents:
308
diff
changeset
|
347 'insert', 'intersect', 'lock', 'minus', 'on', 'order', 'rename', |
0d16630d8e04
added table comment to desc -l
catherine@Elli.myhome.westell.com
parents:
308
diff
changeset
|
348 'resource', 'revoke', 'select', 'share', 'start', 'union', 'update', |
0d16630d8e04
added table comment to desc -l
catherine@Elli.myhome.westell.com
parents:
308
diff
changeset
|
349 'where', 'with'] |
247 | 350 default_file_name = 'afiedt.buf' |
189 | 351 def __init__(self): |
352 sqlpython.sqlpython.__init__(self) | |
353 self.binds = CaselessDict() | |
390 | 354 self.settable += '''autobind bloblimit colors commit_on_exit maxfetch maxtselctrows |
355 minutes_between_refreshes rows_remembered scan serveroutput | |
356 sql_echo timeout heading wildsql version'''.split() | |
247 | 357 self.settable.remove('case_insensitive') |
230 | 358 self.settable.sort() |
189 | 359 self.stdoutBeforeSpool = sys.stdout |
249 | 360 self.sql_echo = False |
189 | 361 self.spoolFile = None |
362 self.autobind = False | |
229 | 363 self.heading = True |
240 | 364 self.wildsql = False |
257
6d4d90fb2082
dbms_output.put_line working
catherine@Elli.myhome.westell.com
parents:
254
diff
changeset
|
365 self.serveroutput = True |
271 | 366 self.scan = True |
292 | 367 self.nonpythoncommand = 'sql' |
271 | 368 self.substvars = {} |
369 self.result_history = [] | |
330
8dd71d47f3cb
merged with rows_remembered
Catherine Devlin <catherine.devlin@gmail.com>
diff
changeset
|
370 self.rows_remembered = 10000 |
367 | 371 self.bloblimit = 5 |
390 | 372 self.minutes_between_refreshes = 1 |
370 | 373 self.version = 'SQLPython %s' % sqlpython.__version__ |
284 | 374 self.pystate = {'r': [], 'binds': self.binds, 'substs': self.substvars} |
257
6d4d90fb2082
dbms_output.put_line working
catherine@Elli.myhome.westell.com
parents:
254
diff
changeset
|
375 |
189 | 376 # overrides cmd's parseline |
377 def parseline(self, line): | |
378 """Parse the line into a command name and a string containing | |
379 the arguments. Returns a tuple containing (command, args, line). | |
380 'command' and 'args' may be None if the line couldn't be parsed. | |
381 Overrides cmd.cmd.parseline to accept variety of shortcuts..""" | |
382 | |
383 cmd, arg, line = sqlpython.sqlpython.parseline(self, line) | |
384 if cmd in ('select', 'sleect', 'insert', 'update', 'delete', 'describe', | |
385 'desc', 'comments', 'pull', 'refs', 'desc', 'triggers', 'find') \ | |
386 and not hasattr(self, 'curs'): | |
333 | 387 self.perror('Not connected.') |
189 | 388 return '', '', '' |
389 return cmd, arg, line | |
257
6d4d90fb2082
dbms_output.put_line working
catherine@Elli.myhome.westell.com
parents:
254
diff
changeset
|
390 |
359 | 391 def perror(self, err, statement=None): |
396 | 392 if self.debug: |
393 traceback.print_exc() | |
359 | 394 try: |
360 | 395 linenum, line, offset = offset_to_line(statement.parsed.raw, err.message.offset) |
396 print line.strip() | |
397 print '%s*' % (' ' * offset) | |
398 print 'ERROR at line %d:' % (linenum + 1) | |
359 | 399 except AttributeError: |
396 | 400 pass |
359 | 401 print str(err) |
257
6d4d90fb2082
dbms_output.put_line working
catherine@Elli.myhome.westell.com
parents:
254
diff
changeset
|
402 def dbms_output(self): |
6d4d90fb2082
dbms_output.put_line working
catherine@Elli.myhome.westell.com
parents:
254
diff
changeset
|
403 "Dumps contents of Oracle's DBMS_OUTPUT buffer (where PUT_LINE goes)" |
261 | 404 try: |
405 line = self.curs.var(cx_Oracle.STRING) | |
406 status = self.curs.var(cx_Oracle.NUMBER) | |
257
6d4d90fb2082
dbms_output.put_line working
catherine@Elli.myhome.westell.com
parents:
254
diff
changeset
|
407 self.curs.callproc('dbms_output.get_line', [line, status]) |
261 | 408 while not status.getvalue(): |
356
c86177642f75
replacing stdout with poutput; no bracketing partial pulls with remarks
catherine@cordelia
parents:
355
diff
changeset
|
409 self.poutput(line.getvalue()) |
c86177642f75
replacing stdout with poutput; no bracketing partial pulls with remarks
catherine@cordelia
parents:
355
diff
changeset
|
410 self.poutput('\n') |
261 | 411 self.curs.callproc('dbms_output.get_line', [line, status]) |
412 except AttributeError: | |
413 pass | |
257
6d4d90fb2082
dbms_output.put_line working
catherine@Elli.myhome.westell.com
parents:
254
diff
changeset
|
414 |
6d4d90fb2082
dbms_output.put_line working
catherine@Elli.myhome.westell.com
parents:
254
diff
changeset
|
415 def postcmd(self, stop, line): |
6d4d90fb2082
dbms_output.put_line working
catherine@Elli.myhome.westell.com
parents:
254
diff
changeset
|
416 """Hook method executed just after a command dispatch is finished.""" |
371 | 417 if ( hasattr(self, 'rdbms') |
418 and (self.rdbms == 'oracle') | |
419 and self.serveroutput): | |
257
6d4d90fb2082
dbms_output.put_line working
catherine@Elli.myhome.westell.com
parents:
254
diff
changeset
|
420 self.dbms_output() |
6d4d90fb2082
dbms_output.put_line working
catherine@Elli.myhome.westell.com
parents:
254
diff
changeset
|
421 return stop |
241 | 422 |
245
05c90f80815c
trying REMARK BEGIN / REMARK END
catherine@Elli.myhome.westell.com
parents:
244
diff
changeset
|
423 def do_remark(self, line): |
242 | 424 ''' |
245
05c90f80815c
trying REMARK BEGIN / REMARK END
catherine@Elli.myhome.westell.com
parents:
244
diff
changeset
|
425 REMARK is one way to denote a comment in SQL*Plus. |
05c90f80815c
trying REMARK BEGIN / REMARK END
catherine@Elli.myhome.westell.com
parents:
244
diff
changeset
|
426 |
05c90f80815c
trying REMARK BEGIN / REMARK END
catherine@Elli.myhome.westell.com
parents:
244
diff
changeset
|
427 Wrapping a *single* SQL or PL/SQL statement in `REMARK BEGIN` and `REMARK END` |
241 | 428 tells sqlpython to submit the enclosed code directly to Oracle as a single |
242 | 429 unit of code. |
241 | 430 |
431 Without these markers, sqlpython fails to properly distinguish the beginning | |
432 and end of all but the simplest PL/SQL blocks, causing errors. sqlpython also | |
433 slows down when parsing long SQL statements as it tries to determine whether | |
245
05c90f80815c
trying REMARK BEGIN / REMARK END
catherine@Elli.myhome.westell.com
parents:
244
diff
changeset
|
434 the statement has ended yet; `REMARK BEGIN` and `REMARK END` allow it to skip this |
241 | 435 parsing. |
436 | |
245
05c90f80815c
trying REMARK BEGIN / REMARK END
catherine@Elli.myhome.westell.com
parents:
244
diff
changeset
|
437 Standard SQL*Plus interprets REMARK BEGIN and REMARK END as comments, so it is |
242 | 438 safe to include them in SQL*Plus scripts. |
241 | 439 ''' |
245
05c90f80815c
trying REMARK BEGIN / REMARK END
catherine@Elli.myhome.westell.com
parents:
244
diff
changeset
|
440 if not line.lower().strip().startswith('begin'): |
05c90f80815c
trying REMARK BEGIN / REMARK END
catherine@Elli.myhome.westell.com
parents:
244
diff
changeset
|
441 return |
241 | 442 statement = [] |
247 | 443 next = self.pseudo_raw_input(self.continuation_prompt) |
245
05c90f80815c
trying REMARK BEGIN / REMARK END
catherine@Elli.myhome.westell.com
parents:
244
diff
changeset
|
444 while next.lower().split()[:2] != ['remark','end']: |
241 | 445 statement.append(next) |
247 | 446 next = self.pseudo_raw_input(self.continuation_prompt) |
242 | 447 return self.onecmd('\n'.join(statement)) |
272 | 448 |
292 | 449 def do_py(self, arg): |
272 | 450 ''' |
451 py <command>: Executes a Python command. | |
297 | 452 py: Enters interactive Python mode. |
453 End with `Ctrl-D` (Unix) / `Ctrl-Z` (Windows), `quit()`, 'exit()`. | |
292 | 454 Past SELECT results are exposed as list `r`; |
275 | 455 most recent resultset is `r[-1]`. |
292 | 456 SQL bind, substitution variables are exposed as `binds`, `substs`. |
296 | 457 SQL and sqlpython commands can be issued with `sql("your command")`. |
272 | 458 ''' |
292 | 459 return Cmd.do_py(self, arg) |
284 | 460 |
461 def do_get(self, args): | |
462 """ | |
463 `get {script.sql}` or `@{script.sql}` runs the command(s) in {script.sql}. | |
464 If additional arguments are supplied, they are assigned to &1, &2, etc. | |
465 """ | |
466 fname, args = args.split()[0], args.split()[1:] | |
467 for (idx, arg) in enumerate(args): | |
468 self.substvars[str(idx+1)] = arg | |
469 return Cmd.do__load(self, fname) | |
470 | |
189 | 471 def onecmd_plus_hooks(self, line): |
472 line = self.precmd(line) | |
473 stop = self.onecmd(line) | |
474 stop = self.postcmd(stop, line) | |
475 | |
257
6d4d90fb2082
dbms_output.put_line working
catherine@Elli.myhome.westell.com
parents:
254
diff
changeset
|
476 def _onchange_serveroutput(self, old, new): |
317
f200a222a936
beginning to set up metadata.py
Catherine Devlin <catherine.devlin@gmail.com>
parents:
315
diff
changeset
|
477 if (self.rdbms == 'oracle'): |
315 | 478 if new: |
479 self.curs.callproc('dbms_output.enable', []) | |
480 else: | |
481 self.curs.callproc('dbms_output.disable', []) | |
257
6d4d90fb2082
dbms_output.put_line working
catherine@Elli.myhome.westell.com
parents:
254
diff
changeset
|
482 |
189 | 483 def do_shortcuts(self,arg): |
484 """Lists available first-character shortcuts | |
485 (i.e. '!dir' is equivalent to 'shell dir')""" | |
335
00b183a103b3
bare prefix switches connection
Catherine Devlin <catherine.devlin@gmail.com>
parents:
334
diff
changeset
|
486 for (scchar, scto) in self.shortcuts: |
333 | 487 self.poutput('%s: %s' % (scchar, scto)) |
189 | 488 |
254
b61e21386383
oops, restore lines of code after sql_format_item
catherine@Elli.myhome.westell.com
parents:
253
diff
changeset
|
489 tableNameFinder = re.compile(r'from\s+([\w$#_"]+)', re.IGNORECASE | re.MULTILINE | re.DOTALL) |
322
d791333902f7
handle NULLs and apostrophes in \i inserts
Catherine Devlin <catherine.devlin@gmail.com>
parents:
318
diff
changeset
|
490 def formattedForSql(self, datum): |
d791333902f7
handle NULLs and apostrophes in \i inserts
Catherine Devlin <catherine.devlin@gmail.com>
parents:
318
diff
changeset
|
491 if datum is None: |
d791333902f7
handle NULLs and apostrophes in \i inserts
Catherine Devlin <catherine.devlin@gmail.com>
parents:
318
diff
changeset
|
492 return 'NULL' |
d791333902f7
handle NULLs and apostrophes in \i inserts
Catherine Devlin <catherine.devlin@gmail.com>
parents:
318
diff
changeset
|
493 elif isinstance(datum, basestring): |
334
1e199ea5b846
fixed single-quote inclusion
Catherine Devlin <catherine.devlin@gmail.com>
parents:
332
diff
changeset
|
494 return "'%s'" % datum.replace("'","''") |
322
d791333902f7
handle NULLs and apostrophes in \i inserts
Catherine Devlin <catherine.devlin@gmail.com>
parents:
318
diff
changeset
|
495 try: |
d791333902f7
handle NULLs and apostrophes in \i inserts
Catherine Devlin <catherine.devlin@gmail.com>
parents:
318
diff
changeset
|
496 return datum.strftime("TO_DATE('%Y-%m-%d %H:%M:%S', 'YYYY-MM-DD HH24:MI:SS')") |
d791333902f7
handle NULLs and apostrophes in \i inserts
Catherine Devlin <catherine.devlin@gmail.com>
parents:
318
diff
changeset
|
497 except AttributeError: |
334
1e199ea5b846
fixed single-quote inclusion
Catherine Devlin <catherine.devlin@gmail.com>
parents:
332
diff
changeset
|
498 return str(datum) |
322
d791333902f7
handle NULLs and apostrophes in \i inserts
Catherine Devlin <catherine.devlin@gmail.com>
parents:
318
diff
changeset
|
499 |
400 | 500 def tabular_output(self, outformat, rowlimit, tblname=None): |
501 if tblname: | |
502 self.tblname = tblname | |
503 else: | |
504 try: | |
505 self.tblname = self.tableNameFinder.search(self.querytext).group(1) | |
506 except AttributeError: | |
507 self.tblname = '' | |
189 | 508 if outformat in output_templates: |
509 self.colnamelen = max(len(colname) for colname in self.colnames) | |
322
d791333902f7
handle NULLs and apostrophes in \i inserts
Catherine Devlin <catherine.devlin@gmail.com>
parents:
318
diff
changeset
|
510 result = output_templates[outformat].generate(formattedForSql=self.formattedForSql, **self.__dict__) |
189 | 511 elif outformat == '\\t': # transposed |
512 rows = [self.colnames] | |
513 rows.extend(list(self.rows)) | |
514 transpr = [[rows[y][x] for y in range(len(rows))]for x in range(len(rows[0]))] # matrix transpose | |
515 newdesc = [['ROW N.'+str(y),10] for y in range(len(rows))] | |
399 | 516 for x in range(len(self.coltypes)): |
517 if str(self.coltypes[x]) == "<type 'cx_Oracle.BINARY'>": # handles RAW columns | |
189 | 518 rname = transpr[x][0] |
519 transpr[x] = map(binascii.b2a_hex, transpr[x]) | |
520 transpr[x][0] = rname | |
521 newdesc[0][0] = 'COLUMN NAME' | |
337 | 522 result = '\n' + self.pmatrix(transpr,newdesc) |
189 | 523 elif outformat in ('\\l', '\\L', '\\p', '\\b'): |
524 plot = Plot() | |
525 plot.build(self, outformat) | |
526 plot.shelve() | |
527 plot.draw() | |
528 return '' | |
529 else: | |
400 | 530 result = self.pmatrix(self.rows, |
337 | 531 self.maxfetch, heading=self.heading, |
532 restructuredtext = (outformat == '\\r')) | |
189 | 533 return result |
534 | |
535 legalOracle = re.compile('[a-zA-Z_$#]') | |
536 | |
537 def select_scalar_list(self, sql, binds={}): | |
249 | 538 self._execute(sql, binds) |
189 | 539 return [r[0] for r in self.curs.fetchall()] |
540 | |
541 columnNameRegex = re.compile( | |
542 r'select\s+(.*)from', | |
543 re.IGNORECASE | re.DOTALL | re.MULTILINE) | |
544 def completedefault(self, text, line, begidx, endidx): | |
545 segment = completion.whichSegment(line) | |
546 text = text.upper() | |
547 completions = [] | |
548 if segment == 'select': | |
549 stmt = "SELECT column_name FROM user_tab_columns WHERE column_name LIKE '%s%%'" | |
550 completions = self.select_scalar_list(stmt % (text)) | |
551 if not completions: | |
552 stmt = "SELECT column_name FROM all_tab_columns WHERE column_name LIKE '%s%%'" | |
553 completions = self.select_scalar_list(stmt % (text)) | |
554 if segment == 'from': | |
555 columnNames = self.columnNameRegex.search(line) | |
556 if columnNames: | |
557 columnNames = columnNames.group(1) | |
558 columnNames = [c.strip().upper() for c in columnNames.split(',')] | |
559 stmt1 = "SELECT table_name FROM all_tab_columns WHERE column_name = '%s' AND table_name LIKE '%s%%'" | |
560 for columnName in columnNames: | |
561 # and if columnName is * ? | |
562 completions.extend(self.select_scalar_list(stmt1 % (columnName, text))) | |
563 if segment in ('from', 'update', 'insert into') and (not completions): | |
564 stmt = "SELECT table_name FROM user_tables WHERE table_name LIKE '%s%%'" | |
565 completions = self.select_scalar_list(stmt % (text)) | |
566 if not completions: | |
567 stmt = """SELECT table_name FROM user_tables WHERE table_name LIKE '%s%%' | |
568 UNION | |
569 SELECT DISTINCT owner FROM all_tables WHERE owner LIKE '%%%s'""" | |
570 completions = self.select_scalar_list(stmt % (text, text)) | |
571 if segment in ('where', 'group by', 'order by', 'having', 'set'): | |
572 tableNames = completion.tableNamesFromFromClause(line) | |
573 if tableNames: | |
574 stmt = """SELECT column_name FROM all_tab_columns | |
575 WHERE table_name IN (%s)""" % \ | |
576 (','.join("'%s'" % (t) for t in tableNames)) | |
577 stmt = "%s AND column_name LIKE '%s%%'" % (stmt, text) | |
578 completions = self.select_scalar_list(stmt) | |
579 if not segment: | |
580 stmt = "SELECT object_name FROM all_objects WHERE object_name LIKE '%s%%'" | |
581 completions = self.select_scalar_list(stmt % (text)) | |
582 return completions | |
233 | 583 |
234
a86efbca3da9
ha ha ha - wildcards in selects working now
catherine@dellzilla
parents:
233
diff
changeset
|
584 columnlistPattern = pyparsing.SkipTo(pyparsing.CaselessKeyword('from'))('columns') + \ |
a86efbca3da9
ha ha ha - wildcards in selects working now
catherine@dellzilla
parents:
233
diff
changeset
|
585 pyparsing.SkipTo(pyparsing.stringEnd)('remainder') |
233 | 586 |
236 | 587 negator = pyparsing.Literal('!')('exclude') |
242 | 588 colNumber = pyparsing.Optional(negator) + pyparsing.Literal('#') + pyparsing.Word('-' + pyparsing.nums, pyparsing.nums)('column_number') |
238
254fb9d3f4c3
must fix catching regular cols as wilds, repeating on eqdbw/mtndew@orcl
catherine@Elli.myhome.westell.com
parents:
237
diff
changeset
|
589 colName = negator + pyparsing.Word('$_#' + pyparsing.alphas, '$_#' + pyparsing.alphanums)('column_name') |
241 | 590 wildColName = pyparsing.Optional(negator) + pyparsing.Word('?*%$_#' + pyparsing.alphas, '?*%$_#' + pyparsing.alphanums, min=2)('column_name') |
242 | 591 colNumber.ignore(pyparsing.cStyleComment).ignore(Parser.comment_def). \ |
592 ignore(pyparsing.sglQuotedString).ignore(pyparsing.dblQuotedString) | |
235 | 593 wildSqlParser = colNumber ^ colName ^ wildColName |
594 wildSqlParser.ignore(pyparsing.cStyleComment).ignore(Parser.comment_def). \ | |
236 | 595 ignore(pyparsing.sglQuotedString).ignore(pyparsing.dblQuotedString) |
596 emptyCommaRegex = re.compile(',\s*,', re.DOTALL) | |
597 deadStarterCommaRegex = re.compile('^\s*,', re.DOTALL) | |
598 deadEnderCommaRegex = re.compile(',\s*$', re.DOTALL) | |
233 | 599 def expandWildSql(self, arg): |
600 try: | |
234
a86efbca3da9
ha ha ha - wildcards in selects working now
catherine@dellzilla
parents:
233
diff
changeset
|
601 columnlist = self.columnlistPattern.parseString(arg) |
233 | 602 except pyparsing.ParseException: |
603 return arg | |
236 | 604 parseresults = list(self.wildSqlParser.scanString(columnlist.columns)) |
239
4c563c2218e6
catching standard names caught
catherine@Elli.myhome.westell.com
parents:
238
diff
changeset
|
605 # I would rather exclude non-wild column names in the grammar, |
4c563c2218e6
catching standard names caught
catherine@Elli.myhome.westell.com
parents:
238
diff
changeset
|
606 # but can't figure out how |
4c563c2218e6
catching standard names caught
catherine@Elli.myhome.westell.com
parents:
238
diff
changeset
|
607 parseresults = [p for p in parseresults if |
4c563c2218e6
catching standard names caught
catherine@Elli.myhome.westell.com
parents:
238
diff
changeset
|
608 p[0].column_number or |
4c563c2218e6
catching standard names caught
catherine@Elli.myhome.westell.com
parents:
238
diff
changeset
|
609 '*' in p[0].column_name or |
4c563c2218e6
catching standard names caught
catherine@Elli.myhome.westell.com
parents:
238
diff
changeset
|
610 '%' in p[0].column_name or |
241 | 611 '?' in p[0].column_name or |
239
4c563c2218e6
catching standard names caught
catherine@Elli.myhome.westell.com
parents:
238
diff
changeset
|
612 p[0].exclude] |
236 | 613 if not parseresults: |
614 return arg | |
234
a86efbca3da9
ha ha ha - wildcards in selects working now
catherine@dellzilla
parents:
233
diff
changeset
|
615 self.curs.execute('select * ' + columnlist.remainder, self.varsUsed) |
236 | 616 columns_available = [d[0] for d in self.curs.description] |
234
a86efbca3da9
ha ha ha - wildcards in selects working now
catherine@dellzilla
parents:
233
diff
changeset
|
617 replacers = {} |
236 | 618 included = set() |
619 excluded = set() | |
620 for (col, startpos, endpos) in parseresults: | |
238
254fb9d3f4c3
must fix catching regular cols as wilds, repeating on eqdbw/mtndew@orcl
catherine@Elli.myhome.westell.com
parents:
237
diff
changeset
|
621 replacers[arg[startpos:endpos]] = [] |
254fb9d3f4c3
must fix catching regular cols as wilds, repeating on eqdbw/mtndew@orcl
catherine@Elli.myhome.westell.com
parents:
237
diff
changeset
|
622 if col.column_name: |
254fb9d3f4c3
must fix catching regular cols as wilds, repeating on eqdbw/mtndew@orcl
catherine@Elli.myhome.westell.com
parents:
237
diff
changeset
|
623 finder = col.column_name.replace('*','.*') |
254fb9d3f4c3
must fix catching regular cols as wilds, repeating on eqdbw/mtndew@orcl
catherine@Elli.myhome.westell.com
parents:
237
diff
changeset
|
624 finder = finder.replace('%','.*') |
241 | 625 finder = finder.replace('?','.') |
626 colnames = [c for c in columns_available if re.match(finder + '$', c, re.IGNORECASE)] | |
238
254fb9d3f4c3
must fix catching regular cols as wilds, repeating on eqdbw/mtndew@orcl
catherine@Elli.myhome.westell.com
parents:
237
diff
changeset
|
627 elif col.column_number: |
236 | 628 idx = int(col.column_number) |
629 if idx > 0: | |
630 idx -= 1 | |
238
254fb9d3f4c3
must fix catching regular cols as wilds, repeating on eqdbw/mtndew@orcl
catherine@Elli.myhome.westell.com
parents:
237
diff
changeset
|
631 colnames = [columns_available[idx]] |
254fb9d3f4c3
must fix catching regular cols as wilds, repeating on eqdbw/mtndew@orcl
catherine@Elli.myhome.westell.com
parents:
237
diff
changeset
|
632 if not colnames: |
333 | 633 self.pfeedback('No columns found matching criteria.') |
238
254fb9d3f4c3
must fix catching regular cols as wilds, repeating on eqdbw/mtndew@orcl
catherine@Elli.myhome.westell.com
parents:
237
diff
changeset
|
634 return 'null from dual' |
254fb9d3f4c3
must fix catching regular cols as wilds, repeating on eqdbw/mtndew@orcl
catherine@Elli.myhome.westell.com
parents:
237
diff
changeset
|
635 for colname in colnames: |
236 | 636 if col.exclude: |
637 included.discard(colname) | |
638 include_here = columns_available[:] | |
639 include_here.remove(colname) | |
240 | 640 replacers[arg[startpos:endpos]].extend(i for i in include_here if i not in replacers[arg[startpos:endpos]]) |
236 | 641 excluded.add(colname) |
642 else: | |
643 excluded.discard(colname) | |
238
254fb9d3f4c3
must fix catching regular cols as wilds, repeating on eqdbw/mtndew@orcl
catherine@Elli.myhome.westell.com
parents:
237
diff
changeset
|
644 replacers[arg[startpos:endpos]].append(colname) |
236 | 645 |
234
a86efbca3da9
ha ha ha - wildcards in selects working now
catherine@dellzilla
parents:
233
diff
changeset
|
646 replacers = sorted(replacers.items(), key=len, reverse=True) |
a86efbca3da9
ha ha ha - wildcards in selects working now
catherine@dellzilla
parents:
233
diff
changeset
|
647 result = columnlist.columns |
236 | 648 for (target, replacement) in replacers: |
242 | 649 cols = [r for r in replacement if r not in excluded and r not in included] |
238
254fb9d3f4c3
must fix catching regular cols as wilds, repeating on eqdbw/mtndew@orcl
catherine@Elli.myhome.westell.com
parents:
237
diff
changeset
|
650 replacement = ', '.join(cols) |
254fb9d3f4c3
must fix catching regular cols as wilds, repeating on eqdbw/mtndew@orcl
catherine@Elli.myhome.westell.com
parents:
237
diff
changeset
|
651 included.update(cols) |
236 | 652 result = result.replace(target, replacement) |
242 | 653 # some column names could get wiped out completely, so we fix their dangling commas |
236 | 654 result = self.emptyCommaRegex.sub(',', result) |
655 result = self.deadStarterCommaRegex.sub('', result) | |
656 result = self.deadEnderCommaRegex.sub('', result) | |
242 | 657 if not result.strip(): |
333 | 658 self.pfeedback('No columns found matching criteria.') |
242 | 659 return 'null from dual' |
237 | 660 return result + ' ' + columnlist.remainder |
284 | 661 |
333 | 662 do_prompt = Cmd.poutput |
233 | 663 |
284 | 664 def do_accept(self, args): |
665 try: | |
666 prompt = args[args.lower().index('prompt ')+7:] | |
667 except ValueError: | |
668 prompt = '' | |
669 varname = args.lower().split()[0] | |
670 self.substvars[varname] = self.pseudo_raw_input(prompt) | |
671 | |
281 | 672 def ampersand_substitution(self, raw, regexpr, isglobal): |
271 | 673 subst = regexpr.search(raw) |
674 while subst: | |
675 fullexpr, var = subst.group(1), subst.group(2) | |
333 | 676 self.pfeedback('Substitution variable %s found in:' % fullexpr) |
677 self.pfeedback(raw[max(subst.start()-20, 0):subst.end()+20]) | |
284 | 678 if var in self.substvars: |
271 | 679 val = self.substvars[var] |
680 else: | |
681 val = raw_input('Substitution for %s (SET SCAN OFF to halt substitution): ' % fullexpr) | |
682 if val.lower().split() == ['set','scan','off']: | |
683 self.scan = False | |
684 return raw | |
685 if isglobal: | |
686 self.substvars[var] = val | |
687 raw = raw.replace(fullexpr, val) | |
333 | 688 self.pfeedback('Substituted %s for %s' % (val, fullexpr)) |
271 | 689 subst = regexpr.search(raw) # do not FINDALL b/c we don't want to ask twice |
690 return raw | |
284 | 691 |
692 numericampre = re.compile('(&(\d+))') | |
693 doubleampre = re.compile('(&&([a-zA-Z\d_$#]+))', re.IGNORECASE) | |
694 singleampre = re.compile( '(&([a-zA-Z\d_$#]+))', re.IGNORECASE) | |
271 | 695 def preparse(self, raw, **kwargs): |
696 if self.scan: | |
284 | 697 raw = self.ampersand_substitution(raw, regexpr=self.numericampre, isglobal=False) |
698 if self.scan: | |
281 | 699 raw = self.ampersand_substitution(raw, regexpr=self.doubleampre, isglobal=True) |
271 | 700 if self.scan: |
281 | 701 raw = self.ampersand_substitution(raw, regexpr=self.singleampre, isglobal=False) |
271 | 702 return raw |
703 | |
189 | 704 rowlimitPattern = pyparsing.Word(pyparsing.nums)('rowlimit') |
308 | 705 terminators = '; \\C \\t \\i \\p \\l \\L \\b \\r'.split() + output_templates.keys() |
199
09592342a33d
ugh - parsing stripping command causes real trouble
catherine@dellzilla
parents:
198
diff
changeset
|
706 |
281 | 707 @options([make_option('-r', '--row', type="int", default=-1, |
708 help='Bind row #ROW instead of final row (zero-based)')]) | |
314 | 709 def do_bind(self, arg, opts): |
281 | 710 ''' |
711 Inserts the results from the final row in the last completed SELECT statement | |
712 into bind variables with names corresponding to the column names. When the optional | |
713 `autobind` setting is on, this will be issued automatically after every query that | |
714 returns exactly one row. | |
715 ''' | |
716 try: | |
717 self.pystate['r'][-1][opts.row].bind() | |
718 except IndexError: | |
333 | 719 self.poutput(self.do_bind.__doc__) |
271 | 720 |
327
7cc5cc19891f
added rows_remembered
Catherine Devlin <catherine.devlin@gmail.com>
parents:
326
diff
changeset
|
721 def age_out_resultsets(self): |
7cc5cc19891f
added rows_remembered
Catherine Devlin <catherine.devlin@gmail.com>
parents:
326
diff
changeset
|
722 total_len = sum(len(rs) for rs in self.pystate['r']) |
328
b2fbb9de8845
avoid infinite loop when r[-1] > rows_remembered
Catherine Devlin <catherine.devlin@gmail.com>
parents:
327
diff
changeset
|
723 for (i, rset) in enumerate(self.pystate['r'][:-1]): |
b2fbb9de8845
avoid infinite loop when r[-1] > rows_remembered
Catherine Devlin <catherine.devlin@gmail.com>
parents:
327
diff
changeset
|
724 if total_len <= self.rows_remembered: |
b2fbb9de8845
avoid infinite loop when r[-1] > rows_remembered
Catherine Devlin <catherine.devlin@gmail.com>
parents:
327
diff
changeset
|
725 return |
b2fbb9de8845
avoid infinite loop when r[-1] > rows_remembered
Catherine Devlin <catherine.devlin@gmail.com>
parents:
327
diff
changeset
|
726 total_len -= len(rset) |
b2fbb9de8845
avoid infinite loop when r[-1] > rows_remembered
Catherine Devlin <catherine.devlin@gmail.com>
parents:
327
diff
changeset
|
727 self.pystate['r'][i] = [] |
364
ea6d35cb6c73
images work, except brackets get escaped
catherine@cordelia
parents:
361
diff
changeset
|
728 |
399 | 729 def rowlimit(self, arg): |
730 try: | |
731 rowlimit = int(arg.parsed.suffix or 0) | |
732 except ValueError: | |
733 rowlimit = 0 | |
734 self.perror("Specify desired number of rows after terminator (not '%s')" % arg.parsed.suffix) | |
735 if arg.parsed.terminator == '\\t': | |
736 rowlimit = rowlimit or self.maxtselctrows | |
737 return rowlimit | |
738 | |
192
6bb8a112af6b
accept special terminators on most anything
catherine@dellzilla
parents:
191
diff
changeset
|
739 def do_select(self, arg, bindVarsIn=None, terminator=None): |
189 | 740 """Fetch rows from a table. |
741 | |
742 Limit the number of rows retrieved by appending | |
743 an integer after the terminator | |
744 (example: SELECT * FROM mytable;10 ) | |
745 | |
746 Output may be formatted by choosing an alternative terminator | |
747 ("help terminators" for details) | |
748 """ | |
749 bindVarsIn = bindVarsIn or {} | |
399 | 750 rowlimit = self.rowlimit(arg) |
340
001d01eeac90
bind vars for postgres
Catherine Devlin <catherine.devlin@gmail.com>
parents:
339
diff
changeset
|
751 self.varsUsed = self.findBinds(arg, bindVarsIn) |
233 | 752 if self.wildsql: |
234
a86efbca3da9
ha ha ha - wildcards in selects working now
catherine@dellzilla
parents:
233
diff
changeset
|
753 selecttext = self.expandWildSql(arg) |
a86efbca3da9
ha ha ha - wildcards in selects working now
catherine@dellzilla
parents:
233
diff
changeset
|
754 else: |
a86efbca3da9
ha ha ha - wildcards in selects working now
catherine@dellzilla
parents:
233
diff
changeset
|
755 selecttext = arg |
315 | 756 self.querytext = 'select ' + selecttext |
335
00b183a103b3
bare prefix switches connection
Catherine Devlin <catherine.devlin@gmail.com>
parents:
334
diff
changeset
|
757 if self.varsUsed: |
00b183a103b3
bare prefix switches connection
Catherine Devlin <catherine.devlin@gmail.com>
parents:
334
diff
changeset
|
758 self.curs.execute(self.querytext, self.varsUsed) |
00b183a103b3
bare prefix switches connection
Catherine Devlin <catherine.devlin@gmail.com>
parents:
334
diff
changeset
|
759 else: # this is an ugly workaround for the evil paramstyle curse upon DB-API2 |
00b183a103b3
bare prefix switches connection
Catherine Devlin <catherine.devlin@gmail.com>
parents:
334
diff
changeset
|
760 self.curs.execute(self.querytext) |
194 | 761 self.rows = self.curs.fetchmany(min(self.maxfetch, (rowlimit or self.maxfetch))) |
399 | 762 self.colnames = [d[0] for d in self.curs.description] |
364
ea6d35cb6c73
images work, except brackets get escaped
catherine@cordelia
parents:
361
diff
changeset
|
763 self.coltypes = [d[1] for d in self.curs.description] |
ea6d35cb6c73
images work, except brackets get escaped
catherine@cordelia
parents:
361
diff
changeset
|
764 if cx_Oracle.BLOB in self.coltypes: |
ea6d35cb6c73
images work, except brackets get escaped
catherine@cordelia
parents:
361
diff
changeset
|
765 self.rows = [ |
367 | 766 [( (coltype == cx_Oracle.BLOB) |
767 and BlobDisplayer(datum, (rownum < self.bloblimit))) | |
768 or datum | |
769 for (datum, coltype) in zip(row, self.coltypes)] | |
770 for (rownum, row) in enumerate(self.rows)] | |
326
82937b8dcbfe
very basic multi-RDBMS ls in place
Catherine Devlin <catherine.devlin@gmail.com>
parents:
322
diff
changeset
|
771 self.rc = len(self.rows) |
315 | 772 if self.rc != 0: |
271 | 773 resultset = ResultSet() |
774 resultset.colnames = [d[0].lower() for d in self.curs.description] | |
281 | 775 resultset.pystate = self.pystate |
271 | 776 resultset.statement = 'select ' + selecttext |
273
9d67065ea030
data into/out of py via binds
catherine@Elli.myhome.westell.com
parents:
272
diff
changeset
|
777 resultset.varsUsed = self.varsUsed |
271 | 778 resultset.extend([Result(r) for r in self.rows]) |
779 for row in resultset: | |
780 row.resultset = resultset | |
281 | 781 self.pystate['r'].append(resultset) |
399 | 782 self.age_out_resultsets() |
783 self.poutput('\n%s\n' % (self.tabular_output(arg.parsed.terminator, rowlimit))) | |
189 | 784 if self.rc == 0: |
333 | 785 self.pfeedback('\nNo rows Selected.\n') |
189 | 786 elif self.rc == 1: |
333 | 787 self.pfeedback('\n1 row selected.\n') |
189 | 788 if self.autobind: |
314 | 789 self.do_bind('') |
315 | 790 elif (self.rc < self.maxfetch and self.rc > 0): |
333 | 791 self.pfeedback('\n%d rows selected.\n' % self.rc) |
189 | 792 else: |
333 | 793 self.pfeedback('\nSelected Max Num rows (%d)' % self.rc) |
193 | 794 |
795 def do_cat(self, arg): | |
361 | 796 '''Shortcut for SELECT * FROM |
200 | 797 return self.do_select(self.parsed('SELECT * FROM %s;' % arg, |
798 terminator = arg.parsed.terminator or ';', | |
361 | 799 suffix = arg.parsed.suffix))''' |
800 return self.onecmd('SELECT * FROM %s%s%s' % (arg, arg.parsed.terminator or ';', | |
801 arg.parsed.suffix or '')) | |
220 | 802 |
396 | 803 @options([make_option('-d', '--dump', action='store_true', help='dump results to files'), |
804 make_option('-f', '--full', action='store_true', help='get dependent objects as well'), | |
805 make_option('-l', '--lines', action='store_true', help='print line numbers'), | |
806 make_option('-n', '--num', type='int', help='only code near line #num'), | |
807 make_option('-w', '--width', type='int', default=5, | |
808 help='# of lines before and after --lineNo'), | |
809 make_option('-a', '--all', action='store_true', help="all schemas' objects"), | |
810 #make_option('-x', '--exact', action='store_true', help="match object name exactly") | |
397 | 811 ]) |
812 def do_pull(self, arg, opts): | |
220 | 813 """Displays source code.""" |
397 | 814 self._pull(arg, opts) |
815 | |
816 def _pull(self, arg, opts, vc=None): | |
396 | 817 opts.exact = True |
818 statekeeper = Statekeeper(opts.dump and self, ('stdout',)) | |
393
9bbca36ec371
not functioning - midway through expanding pull
catherine@cordelia
parents:
392
diff
changeset
|
819 (username, schemas) = self.metadata() |
220 | 820 try: |
396 | 821 for metadata in self._matching_database_objects(arg, opts): |
822 self.poutput(metadata.descriptor(qualified=True)) | |
823 txt = metadata.db_object.get_ddl() | |
824 if opts.get('lines'): | |
825 txt = self._with_line_numbers(txt) | |
826 | |
827 if opts.dump: | |
828 path = os.path.join(metadata.schema_name.lower(), metadata.db_type.lower()) \ | |
829 .replace(' ', '_') | |
830 try: | |
831 os.makedirs(path) | |
832 except OSError: | |
833 pass | |
397 | 834 filename = os.path.join(path, '%s.sql' % metadata.object_name.lower()) |
396 | 835 self.stdout = open(filename, 'w') |
836 if opts.get('num') is not None: | |
397 | 837 txt = txt.splitlines() |
396 | 838 txt = centeredSlice(txt, center=opts.num+1, width=opts.width) |
839 txt = '\n'.join(txt) | |
840 else: | |
841 txt = 'REMARK BEGIN %s\n%s\nREMARK END\n' % (metadata.descriptor(qualified=True), txt) | |
842 | |
843 self.poutput(txt) | |
844 if opts.full: | |
845 # Hmm... dependent objects... | |
846 | |
220 | 847 if opts.full: |
848 for dependent_type in ('OBJECT_GRANT', 'CONSTRAINT', 'TRIGGER'): | |
849 try: | |
356
c86177642f75
replacing stdout with poutput; no bracketing partial pulls with remarks
catherine@cordelia
parents:
355
diff
changeset
|
850 self.poutput('REMARK BEGIN\n%s\nREMARK END\n\n' % str(self.curs.callfunc('DBMS_METADATA.GET_DEPENDENT_DDL', cx_Oracle.CLOB, |
220 | 851 [dependent_type, object_name, owner]))) |
852 except cx_Oracle.DatabaseError: | |
853 pass | |
396 | 854 if opts.dump: |
855 self.stdout.close() | |
856 if vc: | |
857 subprocess.call(vc + [filename]) | |
220 | 858 except: |
396 | 859 statekeeper.restore() |
220 | 860 raise |
396 | 861 statekeeper.restore() |
393
9bbca36ec371
not functioning - midway through expanding pull
catherine@cordelia
parents:
392
diff
changeset
|
862 |
396 | 863 def _with_line_numbers(self, txt): |
864 txt = txt.splitlines() | |
865 template = "%%-%dd:%%s" % len(str(len(txt))) | |
866 txt = '\n'.join(template % (n+1, line) for (n, line) in | |
867 enumerate(txt)) | |
868 return txt | |
869 | |
335
00b183a103b3
bare prefix switches connection
Catherine Devlin <catherine.devlin@gmail.com>
parents:
334
diff
changeset
|
870 def _show_shortcut(self, shortcut, argpieces): |
00b183a103b3
bare prefix switches connection
Catherine Devlin <catherine.devlin@gmail.com>
parents:
334
diff
changeset
|
871 try: |
00b183a103b3
bare prefix switches connection
Catherine Devlin <catherine.devlin@gmail.com>
parents:
334
diff
changeset
|
872 newarg = argpieces[1] |
00b183a103b3
bare prefix switches connection
Catherine Devlin <catherine.devlin@gmail.com>
parents:
334
diff
changeset
|
873 if newarg == 'on': |
00b183a103b3
bare prefix switches connection
Catherine Devlin <catherine.devlin@gmail.com>
parents:
334
diff
changeset
|
874 try: |
00b183a103b3
bare prefix switches connection
Catherine Devlin <catherine.devlin@gmail.com>
parents:
334
diff
changeset
|
875 newarg = argpieces[2] |
00b183a103b3
bare prefix switches connection
Catherine Devlin <catherine.devlin@gmail.com>
parents:
334
diff
changeset
|
876 except IndexError: |
00b183a103b3
bare prefix switches connection
Catherine Devlin <catherine.devlin@gmail.com>
parents:
334
diff
changeset
|
877 pass |
00b183a103b3
bare prefix switches connection
Catherine Devlin <catherine.devlin@gmail.com>
parents:
334
diff
changeset
|
878 except IndexError: |
00b183a103b3
bare prefix switches connection
Catherine Devlin <catherine.devlin@gmail.com>
parents:
334
diff
changeset
|
879 newarg = '' |
00b183a103b3
bare prefix switches connection
Catherine Devlin <catherine.devlin@gmail.com>
parents:
334
diff
changeset
|
880 return self.onecmd(shortcut + ' ' + newarg) |
00b183a103b3
bare prefix switches connection
Catherine Devlin <catherine.devlin@gmail.com>
parents:
334
diff
changeset
|
881 |
221 | 882 def do_show(self, arg): |
883 ''' | |
884 show - display value of all sqlpython parameters | |
885 show (parameter name) - display value of a sqlpython parameter | |
886 show parameter (parameter name) - display value of an ORACLE parameter | |
265
041c656dc8e5
show err working nicely now
catherine@Elli.myhome.westell.com
parents:
264
diff
changeset
|
887 show err (object type/name) - errors from latest PL/SQL object compilation. |
041c656dc8e5
show err working nicely now
catherine@Elli.myhome.westell.com
parents:
264
diff
changeset
|
888 show all err (type/name) - all compilation errors from the user's PL/SQL objects. |
356
c86177642f75
replacing stdout with poutput; no bracketing partial pulls with remarks
catherine@cordelia
parents:
355
diff
changeset
|
889 show (index/schema/tablespace/trigger/view/constraint/comment) on (table) |
221 | 890 ''' |
891 if arg.startswith('param'): | |
892 try: | |
893 paramname = arg.split()[1].lower() | |
894 except IndexError: | |
895 paramname = '' | |
896 self.onecmd("""SELECT name, | |
897 CASE type WHEN 1 THEN 'BOOLEAN' | |
898 WHEN 2 THEN 'STRING' | |
899 WHEN 3 THEN 'INTEGER' | |
900 WHEN 4 THEN 'PARAMETER FILE' | |
901 WHEN 5 THEN 'RESERVED' | |
902 WHEN 6 THEN 'BIG INTEGER' END type, | |
903 value FROM v$parameter WHERE name LIKE '%%%s%%';""" % paramname) | |
904 else: | |
264
a8deaa38f11e
show errors works. limiting ls
catherine@Elli.myhome.westell.com
parents:
261
diff
changeset
|
905 argpieces = arg.lower().split() |
370 | 906 argpieces = [a for a in argpieces if not a.startswith('-')] |
264
a8deaa38f11e
show errors works. limiting ls
catherine@Elli.myhome.westell.com
parents:
261
diff
changeset
|
907 try: |
370 | 908 for (kwd, shortcut) in ( |
909 ('ind', '\\di'), ('schema', '\\dn'), | |
910 ('tablesp', '\\db'), ('trig', '\\dt'), | |
911 ('view', '\\dv'), ('cons', '\\dc'), | |
912 ('comm', '\\dd'), ('ref', 'ref')): | |
913 if argpieces[0].lower().startswith(kwd): | |
914 return self._show_shortcut(shortcut, argpieces) | |
264
a8deaa38f11e
show errors works. limiting ls
catherine@Elli.myhome.westell.com
parents:
261
diff
changeset
|
915 if argpieces[0][:3] == 'err': |
265
041c656dc8e5
show err working nicely now
catherine@Elli.myhome.westell.com
parents:
264
diff
changeset
|
916 return self._show_errors(all_users=False, limit=1, targets=argpieces[1:]) |
264
a8deaa38f11e
show errors works. limiting ls
catherine@Elli.myhome.westell.com
parents:
261
diff
changeset
|
917 elif (argpieces[0], argpieces[1][:3]) == ('all','err'): |
265
041c656dc8e5
show err working nicely now
catherine@Elli.myhome.westell.com
parents:
264
diff
changeset
|
918 return self._show_errors(all_users=False, limit=None, targets=argpieces[2:]) |
264
a8deaa38f11e
show errors works. limiting ls
catherine@Elli.myhome.westell.com
parents:
261
diff
changeset
|
919 except IndexError: |
a8deaa38f11e
show errors works. limiting ls
catherine@Elli.myhome.westell.com
parents:
261
diff
changeset
|
920 pass |
221 | 921 return Cmd.do_show(self, arg) |
922 | |
224 | 923 def _vc(self, arg, opts, program): |
248 | 924 if not os.path.exists('.%s' % program): |
925 create = raw_input('%s repository not yet in current directory (%s). Create (y/N)? ' % | |
926 (program, os.getcwd())) | |
927 if not create.strip().lower().startswith('y'): | |
928 return | |
224 | 929 subprocess.call([program, 'init']) |
220 | 930 opts.dump = True |
397 | 931 self._pull(arg, opts, vc=[program, 'add']) |
220 | 932 subprocess.call([program, 'commit', '-m', '"%s"' % opts.message or 'committed from sqlpython']) |
933 | |
934 @options([ | |
935 make_option('-f', '--full', action='store_true', help='get dependent objects as well'), | |
936 make_option('-a', '--all', action='store_true', help="all schemas' objects"), | |
937 make_option('-x', '--exact', action='store_true', help="match object name exactly"), | |
938 make_option('-m', '--message', action='store', type='string', dest='message', help="message to save to hg log during commit")]) | |
939 def do_hg(self, arg, opts): | |
940 '''hg (opts) (objects): | |
226 | 941 Stores DDL on disk and puts files under Mercurial version control. |
942 Args specify which objects to store, same format as `ls`.''' | |
224 | 943 self._vc(arg, opts, 'hg') |
189 | 944 |
220 | 945 @options([ |
946 make_option('-f', '--full', action='store_true', help='get dependent objects as well'), | |
947 make_option('-a', '--all', action='store_true', help="all schemas' objects"), | |
948 make_option('-x', '--exact', action='store_true', help="match object name exactly"), | |
949 make_option('-m', '--message', action='store', type='string', dest='message', help="message to save to hg log during commit")]) | |
950 def do_bzr(self, arg, opts): | |
951 '''bzr (opts) (objects): | |
226 | 952 Stores DDL on disk and puts files under Bazaar version control. |
953 Args specify which objects to store, same format as `ls`.''' | |
224 | 954 self._vc(arg, opts, 'bzr') |
220 | 955 |
956 @options([ | |
957 make_option('-f', '--full', action='store_true', help='get dependent objects as well'), | |
958 make_option('-a', '--all', action='store_true', help="all schemas' objects"), | |
959 make_option('-x', '--exact', action='store_true', help="match object name exactly"), | |
960 make_option('-m', '--message', action='store', type='string', dest='message', help="message to save to hg log during commit")]) | |
224 | 961 def do_git(self, arg, opts): |
962 '''git (opts) (objects): | |
226 | 963 Stores DDL on disk and puts files under git version control. |
964 Args specify which objects to store, same format as `ls`.''' | |
224 | 965 self._vc(arg, opts, 'git') |
220 | 966 |
196 | 967 all_users_option = make_option('-a', action='store_const', dest="scope", |
222 | 968 default={'col':'', 'view':'user', 'schemas':'user', 'firstcol': ''}, |
969 const={'col':', owner', 'view':'all', 'schemas':'all', 'firstcol': 'owner, '}, | |
194 | 970 help='Describe all objects (not just my own)') |
971 @options([all_users_option, | |
189 | 972 make_option('-c', '--col', action='store_true', help='find column'), |
398 | 973 ]) |
189 | 974 def do_find(self, arg, opts): |
975 """Finds argument in source code or (with -c) in column definitions.""" | |
398 | 976 |
977 seek = self._regex(arg, exact=opts.col) | |
978 qualified = opts.get('all') | |
979 for m in self._matching_database_objects('*', opts): | |
980 if opts.col: | |
981 if hasattr(m.db_object, 'columns'): | |
982 for col in m.db_object.columns: | |
983 if isinstance(col, tuple): | |
984 col = col[1] # will become unnecessary once gerald views return dicts of columns | |
985 if seek.search(col): | |
986 self.poutput('%s.%s' % (m.descriptor(qualified), col)) | |
987 else: | |
988 if hasattr(m.db_object, 'source'): | |
989 name_printed = False | |
990 for (line_num, line) in m.db_object.source: | |
991 if seek.search(line): | |
992 if not name_printed: | |
993 self.poutput(m.descriptor(qualified)) | |
994 name_printed = True | |
995 self.poutput('%d: %s' % (line_num, line)) | |
286 | 996 |
400 | 997 def _col_type_descriptor(self, col): |
998 if 'precision' in col: | |
999 return '%s(%d,%d)' % (col['type'], col['length'], col['precision']) | |
1000 elif 'length' in col: | |
1001 return '%s(%d)' % (col['type'], col['length']) | |
1002 else: | |
1003 return col['type'] | |
1004 | |
1005 def _key_columns(self, tbl, type): | |
1006 columns = [c['columns'] for c in tbl.constraints.values() if c['type'] == type] | |
1007 if columns: | |
1008 return reduce(list.extend, columns) | |
1009 | |
286 | 1010 @options([all_users_option, |
400 | 1011 make_option('-l', '--long', action='store_true', help='include column #, comments'), |
1012 make_option('-A', '--alpha', action='store_true', help='List columns alphabetically')]) | |
189 | 1013 def do_describe(self, arg, opts): |
399 | 1014 opts.exact = True |
400 | 1015 if opts.alpha: |
1016 sortkey = operator.itemgetter('name') | |
1017 else: | |
1018 sortkey = operator.itemgetter('sequence') | |
399 | 1019 for m in self._matching_database_objects(arg, opts): |
1020 self.tblname = m.descriptor(qualified=opts.get('all')) | |
1021 self.pfeedback(self.tblname) | |
400 | 1022 if hasattr(m.db_object, 'columns') and not isinstance(m.db_object.columns, list): # drop once gerald returns column dicts for views |
1023 cols = sorted(m.db_object.columns.values(), key=sortkey) | |
309
0d16630d8e04
added table comment to desc -l
catherine@Elli.myhome.westell.com
parents:
308
diff
changeset
|
1024 if opts.long: |
400 | 1025 primary_key_columns = self._key_columns(m.db_object, 'Primary') |
1026 unique_key_columns = self._key_columns(m.db_object, 'Unique') | |
1027 self.colnames = 'N Name Null? Type Key Default Comments'.split() | |
1028 self.rows = [(col['sequence'], col['name'], (col['nullable'] and 'NULL') or 'NOT NULL', | |
1029 self._col_type_descriptor(col), | |
1030 ((col['name'] in primary_key_columns) and 'P') or | |
1031 ((col['name'] in unique_key_columns) and 'U') or '', | |
1032 col.get('default'), col.get('comment')) | |
399 | 1033 for col in cols] |
1034 else: | |
400 | 1035 self.colnames = 'Name Nullable Type'.split() |
1036 self.rows = [(col['name'], (col['nullable'] and 'NULL') or 'NOT NULL', self._col_type_descriptor(col)) | |
399 | 1037 for col in cols] |
1038 self.coltypes = [str] * len(self.colnames) | |
400 | 1039 self.poutput(self.tabular_output(arg.parsed.terminator, self.rowlimit(arg), self.tblname) + '\n\n') |
1040 elif hasattr(m.db_object, 'increment_by'): | |
1041 self.colnames = 'name min_value max_value increment_by'.split() | |
1042 self.coltypes = [str, int, int, int] | |
1043 self.rows = [(getattr(m.db_object, p) for p in self.colnames)] | |
1044 self.poutput(self.tabular_output(arg.parsed.terminator, self.rowlimit(arg), self.tblname) + '\n\n') | |
1045 elif hasattr(m.db_object, 'source'): | |
1046 end_heading = re.compile(r'\bDECLARE|BEGIN\b', re.IGNORECASE) | |
1047 for (index, (ln, line)) in enumerate(m.db_object.source): | |
1048 if end_heading.search(line): | |
1049 break | |
1050 self.poutput(''.join(l for (ln, l) in m.db_object.source[:index])) | |
1051 | |
399 | 1052 |
189 | 1053 def do_deps(self, arg): |
286 | 1054 '''Lists all objects that are dependent upon the object.''' |
193 | 1055 target = arg.upper() |
1056 object_type, owner, object_name = self.resolve(target) | |
189 | 1057 if object_type == 'PACKAGE BODY': |
1058 q = "and (type != 'PACKAGE BODY' or name != :object_name)'" | |
1059 object_type = 'PACKAGE' | |
1060 else: | |
1061 q = "" | |
193 | 1062 q = """SELECT name, |
189 | 1063 type |
1064 from user_dependencies | |
1065 where | |
1066 referenced_name like :object_name | |
1067 and referenced_type like :object_type | |
1068 and referenced_owner like :owner | |
193 | 1069 %s;""" % (q) |
200 | 1070 self.do_select(self.parsed(q, terminator=arg.parsed.terminator or ';', suffix=arg.parsed.suffix), |
1071 bindVarsIn={'object_name':object_name, 'object_type':object_type, 'owner':owner}) | |
189 | 1072 |
1073 def do_comments(self, arg): | |
1074 'Prints comments on a table and its columns.' | |
193 | 1075 target = arg.upper() |
1076 object_type, owner, object_name, colName = self.resolve_with_column(target) | |
189 | 1077 if object_type: |
249 | 1078 self._execute(queries['tabComments'], {'table_name':object_name, 'owner':owner}) |
356
c86177642f75
replacing stdout with poutput; no bracketing partial pulls with remarks
catherine@cordelia
parents:
355
diff
changeset
|
1079 self.poutput("%s %s.%s: %s\n" % (object_type, owner, object_name, self.curs.fetchone()[0])) |
189 | 1080 if colName: |
194 | 1081 sql = queries['oneColComments'] |
1082 bindVarsIn={'owner':owner, 'object_name': object_name, 'column_name': colName} | |
189 | 1083 else: |
194 | 1084 sql = queries['colComments'] |
1085 bindVarsIn={'owner':owner, 'object_name': object_name} | |
200 | 1086 self.do_select(self.parsed(sql, terminator=arg.parsed.terminator or ';', suffix=arg.parsed.suffix), |
1087 bindVarsIn=bindVarsIn) | |
189 | 1088 |
251
aa33f495a289
reworked \di - not truly better?
catherine@Elli.myhome.westell.com
parents:
250
diff
changeset
|
1089 def _resolve(self, identifier): |
aa33f495a289
reworked \di - not truly better?
catherine@Elli.myhome.westell.com
parents:
250
diff
changeset
|
1090 parts = identifier.split('.') |
aa33f495a289
reworked \di - not truly better?
catherine@Elli.myhome.westell.com
parents:
250
diff
changeset
|
1091 if len(parts) == 2: |
aa33f495a289
reworked \di - not truly better?
catherine@Elli.myhome.westell.com
parents:
250
diff
changeset
|
1092 owner, object_name = parts |
aa33f495a289
reworked \di - not truly better?
catherine@Elli.myhome.westell.com
parents:
250
diff
changeset
|
1093 object_type = self.select_scalar_list('SELECT object_type FROM all_objects WHERE owner = :owner AND object_name = :object_name', |
aa33f495a289
reworked \di - not truly better?
catherine@Elli.myhome.westell.com
parents:
250
diff
changeset
|
1094 {'owner': owner, 'object_name': object_name.upper()} |
aa33f495a289
reworked \di - not truly better?
catherine@Elli.myhome.westell.com
parents:
250
diff
changeset
|
1095 )[0] |
aa33f495a289
reworked \di - not truly better?
catherine@Elli.myhome.westell.com
parents:
250
diff
changeset
|
1096 elif len(parts) == 1: |
aa33f495a289
reworked \di - not truly better?
catherine@Elli.myhome.westell.com
parents:
250
diff
changeset
|
1097 object_name = parts[0] |
aa33f495a289
reworked \di - not truly better?
catherine@Elli.myhome.westell.com
parents:
250
diff
changeset
|
1098 self._execute(queries['resolve'], {'objName':object_name.upper()}) |
aa33f495a289
reworked \di - not truly better?
catherine@Elli.myhome.westell.com
parents:
250
diff
changeset
|
1099 object_type, object_name, owner = self.curs.fetchone() |
aa33f495a289
reworked \di - not truly better?
catherine@Elli.myhome.westell.com
parents:
250
diff
changeset
|
1100 return object_type, owner, object_name |
aa33f495a289
reworked \di - not truly better?
catherine@Elli.myhome.westell.com
parents:
250
diff
changeset
|
1101 |
189 | 1102 def resolve(self, identifier): |
1103 """Checks (my objects).name, (my synonyms).name, (public synonyms).name | |
1104 to resolve a database object's name. """ | |
1105 try: | |
251
aa33f495a289
reworked \di - not truly better?
catherine@Elli.myhome.westell.com
parents:
250
diff
changeset
|
1106 return self._resolve(identifier) |
189 | 1107 except (TypeError, IndexError): |
333 | 1108 self.pfeedback('Could not resolve object %s.' % identifier) |
251
aa33f495a289
reworked \di - not truly better?
catherine@Elli.myhome.westell.com
parents:
250
diff
changeset
|
1109 return '', '', '' |
189 | 1110 |
1111 def resolve_with_column(self, identifier): | |
1112 colName = None | |
1113 object_type, owner, object_name = self.resolve(identifier) | |
1114 if not object_type: | |
1115 parts = identifier.split('.') | |
1116 if len(parts) > 1: | |
1117 colName = parts[-1] | |
1118 identifier = '.'.join(parts[:-1]) | |
1119 object_type, owner, object_name = self.resolve(identifier) | |
1120 return object_type, owner, object_name, colName | |
1121 | |
1122 def do_resolve(self, arg): | |
195 | 1123 target = arg.upper() |
356
c86177642f75
replacing stdout with poutput; no bracketing partial pulls with remarks
catherine@cordelia
parents:
355
diff
changeset
|
1124 self.poutput(','.join(self.resolve(target))+'\n') |
189 | 1125 |
1126 def spoolstop(self): | |
1127 if self.spoolFile: | |
1128 self.stdout = self.stdoutBeforeSpool | |
333 | 1129 self.pfeedback('Finished spooling to ', self.spoolFile.name) |
189 | 1130 self.spoolFile.close() |
1131 self.spoolFile = None | |
1132 | |
1133 def do_spool(self, arg): | |
1134 """spool [filename] - begins redirecting output to FILENAME.""" | |
1135 self.spoolstop() | |
1136 arg = arg.strip() | |
1137 if not arg: | |
1138 arg = 'output.lst' | |
1139 if arg.lower() != 'off': | |
1140 if '.' not in arg: | |
1141 arg = '%s.lst' % arg | |
333 | 1142 self.pfeedback('Sending output to %s (until SPOOL OFF received)' % (arg)) |
189 | 1143 self.spoolFile = open(arg, 'w') |
1144 self.stdout = self.spoolFile | |
1145 | |
333 | 1146 def sqlfeedback(self, arg): |
1147 if self.sql_echo: | |
1148 self.pfeedback(arg) | |
1149 | |
189 | 1150 def do_write(self, args): |
281 | 1151 'Obsolete command. Use (query) > outfilename instead.' |
333 | 1152 self.poutput(self.do_write.__doc__) |
189 | 1153 return |
1154 | |
1155 def do_compare(self, args): | |
1156 """COMPARE query1 TO query2 - uses external tool to display differences. | |
1157 | |
1158 Sorting is recommended to avoid false hits. | |
1159 Will attempt to use a graphical diff/merge tool like kdiff3, meld, or Araxis Merge, | |
1160 if they are installed.""" | |
193 | 1161 #TODO: Update this to use pyparsing |
189 | 1162 fnames = [] |
1163 args2 = args.split(' to ') | |
1164 if len(args2) < 2: | |
333 | 1165 self.pfeedback(self.do_compare.__doc__) |
189 | 1166 return |
1167 for n in range(len(args2)): | |
1168 query = args2[n] | |
1169 fnames.append('compare%s.txt' % n) | |
1170 #TODO: update this terminator-stripping | |
1171 if query.rstrip()[-1] != self.terminator: | |
1172 query = '%s%s' % (query, self.terminator) | |
1173 self.onecmd_plus_hooks('%s > %s' % (query, fnames[n])) | |
1174 diffMergeSearcher.invoke(fnames[0], fnames[1]) | |
1175 | |
1176 bufferPosPattern = re.compile('\d+') | |
1177 rangeIndicators = ('-',':') | |
1178 | |
1179 def do_psql(self, arg): | |
1180 '''Shortcut commands emulating psql's backslash commands. | |
1181 | |
1182 \c connect | |
1183 \d desc | |
1184 \e edit | |
1185 \g run | |
1186 \h help | |
1187 \i load | |
1188 \o spool | |
1189 \p list | |
1190 \q quit | |
1191 \w save | |
1192 \db _dir_tablespaces | |
1193 \dd comments | |
1194 \dn _dir_schemas | |
1195 \dt _dir_tables | |
1196 \dv _dir_views | |
1197 \di _dir_indexes | |
1198 \? help psql''' | |
1199 commands = {} | |
1200 for c in self.do_psql.__doc__.splitlines()[2:]: | |
1201 (abbrev, command) = c.split(None, 1) | |
1202 commands[abbrev[1:]] = command | |
1203 words = arg.split(None,1) | |
1204 try: | |
1205 abbrev = words[0] | |
1206 except IndexError: | |
1207 return | |
1208 try: | |
1209 args = words[1] | |
1210 except IndexError: | |
1211 args = '' | |
1212 try: | |
200 | 1213 return self.onecmd('%s %s%s%s' % (commands[abbrev], args, arg.parsed.terminator, arg.parsed.suffix)) |
189 | 1214 except KeyError: |
333 | 1215 self.perror('psql command \%s not yet supported.' % abbrev) |
189 | 1216 |
194 | 1217 @options([all_users_option]) |
189 | 1218 def do__dir_tables(self, arg, opts): |
251
aa33f495a289
reworked \di - not truly better?
catherine@Elli.myhome.westell.com
parents:
250
diff
changeset
|
1219 ''' |
aa33f495a289
reworked \di - not truly better?
catherine@Elli.myhome.westell.com
parents:
250
diff
changeset
|
1220 Lists all tables whose names match argument. |
aa33f495a289
reworked \di - not truly better?
catherine@Elli.myhome.westell.com
parents:
250
diff
changeset
|
1221 ''' |
194 | 1222 sql = """SELECT table_name, 'TABLE' as type%s FROM %s_tables WHERE table_name LIKE '%%%s%%';""" % \ |
196 | 1223 (opts.scope['col'], opts.scope['view'], arg.upper()) |
333 | 1224 self.sqlfeedback(sql) |
200 | 1225 self.do_select(self.parsed(sql, terminator=arg.parsed.terminator or ';', suffix=arg.parsed.suffix)) |
194 | 1226 |
1227 @options([all_users_option]) | |
189 | 1228 def do__dir_views(self, arg, opts): |
251
aa33f495a289
reworked \di - not truly better?
catherine@Elli.myhome.westell.com
parents:
250
diff
changeset
|
1229 ''' |
aa33f495a289
reworked \di - not truly better?
catherine@Elli.myhome.westell.com
parents:
250
diff
changeset
|
1230 Lists all views whose names match argument. |
aa33f495a289
reworked \di - not truly better?
catherine@Elli.myhome.westell.com
parents:
250
diff
changeset
|
1231 ''' |
194 | 1232 sql = """SELECT view_name, 'VIEW' as type%s FROM %s_views WHERE view_name LIKE '%%%s%%';""" % \ |
196 | 1233 (opts.scope['col'], opts.scope['view'], arg.upper()) |
333 | 1234 self.sqlfeedback(sql) |
200 | 1235 self.do_select(self.parsed(sql, terminator=arg.parsed.terminator or ';', suffix=arg.parsed.suffix)) |
194 | 1236 |
251
aa33f495a289
reworked \di - not truly better?
catherine@Elli.myhome.westell.com
parents:
250
diff
changeset
|
1237 def do__dir_indexes(self, arg): |
aa33f495a289
reworked \di - not truly better?
catherine@Elli.myhome.westell.com
parents:
250
diff
changeset
|
1238 ''' |
aa33f495a289
reworked \di - not truly better?
catherine@Elli.myhome.westell.com
parents:
250
diff
changeset
|
1239 Called with an exact table name, lists the indexes of that table. |
aa33f495a289
reworked \di - not truly better?
catherine@Elli.myhome.westell.com
parents:
250
diff
changeset
|
1240 Otherwise, acts as shortcut for `ls index/*(arg)*` |
aa33f495a289
reworked \di - not truly better?
catherine@Elli.myhome.westell.com
parents:
250
diff
changeset
|
1241 ''' |
aa33f495a289
reworked \di - not truly better?
catherine@Elli.myhome.westell.com
parents:
250
diff
changeset
|
1242 try: |
aa33f495a289
reworked \di - not truly better?
catherine@Elli.myhome.westell.com
parents:
250
diff
changeset
|
1243 table_type, table_owner, table_name = self._resolve(arg) |
aa33f495a289
reworked \di - not truly better?
catherine@Elli.myhome.westell.com
parents:
250
diff
changeset
|
1244 except TypeError, IndexError: |
aa33f495a289
reworked \di - not truly better?
catherine@Elli.myhome.westell.com
parents:
250
diff
changeset
|
1245 return self.onecmd('ls Index/*%s*' % arg) |
aa33f495a289
reworked \di - not truly better?
catherine@Elli.myhome.westell.com
parents:
250
diff
changeset
|
1246 sql = """SELECT owner, index_name, index_type FROM all_indexes |
aa33f495a289
reworked \di - not truly better?
catherine@Elli.myhome.westell.com
parents:
250
diff
changeset
|
1247 WHERE table_owner = :table_owner |
aa33f495a289
reworked \di - not truly better?
catherine@Elli.myhome.westell.com
parents:
250
diff
changeset
|
1248 AND table_name = :table_name; |
aa33f495a289
reworked \di - not truly better?
catherine@Elli.myhome.westell.com
parents:
250
diff
changeset
|
1249 ORDER BY owner, index_name""" |
aa33f495a289
reworked \di - not truly better?
catherine@Elli.myhome.westell.com
parents:
250
diff
changeset
|
1250 self.do_select(self.parsed(sql, terminator=arg.parsed.terminator or ';', suffix=arg.parsed.suffix), |
aa33f495a289
reworked \di - not truly better?
catherine@Elli.myhome.westell.com
parents:
250
diff
changeset
|
1251 bindVarsIn = {'table_owner': table_owner, 'table_name': table_name}) |
189 | 1252 |
1253 def do__dir_tablespaces(self, arg): | |
251
aa33f495a289
reworked \di - not truly better?
catherine@Elli.myhome.westell.com
parents:
250
diff
changeset
|
1254 ''' |
aa33f495a289
reworked \di - not truly better?
catherine@Elli.myhome.westell.com
parents:
250
diff
changeset
|
1255 Lists all tablespaces. |
aa33f495a289
reworked \di - not truly better?
catherine@Elli.myhome.westell.com
parents:
250
diff
changeset
|
1256 ''' |
194 | 1257 sql = """SELECT tablespace_name, file_name from dba_data_files;""" |
333 | 1258 self.sqlfeedback(sql) |
200 | 1259 self.do_select(self.parsed(sql, terminator=arg.parsed.terminator or ';', suffix=arg.parsed.suffix)) |
189 | 1260 |
1261 def do__dir_schemas(self, arg): | |
251
aa33f495a289
reworked \di - not truly better?
catherine@Elli.myhome.westell.com
parents:
250
diff
changeset
|
1262 ''' |
aa33f495a289
reworked \di - not truly better?
catherine@Elli.myhome.westell.com
parents:
250
diff
changeset
|
1263 Lists all object owners, together with the number of objects they own. |
aa33f495a289
reworked \di - not truly better?
catherine@Elli.myhome.westell.com
parents:
250
diff
changeset
|
1264 ''' |
194 | 1265 sql = """SELECT owner, count(*) AS objects FROM all_objects GROUP BY owner ORDER BY owner;""" |
333 | 1266 self.sqlfeedback(sql) |
200 | 1267 self.do_select(self.parsed(sql, terminator=arg.parsed.terminator or ';', suffix=arg.parsed.suffix)) |
189 | 1268 |
1269 def do_head(self, arg): | |
226 | 1270 '''Shortcut for SELECT * FROM <arg>;10 |
1271 The terminator (\\t, \\g, \\x, etc.) and number of rows can | |
1272 be changed as for any other SELECT statement.''' | |
200 | 1273 sql = self.parsed('SELECT * FROM %s;' % arg, terminator=arg.parsed.terminator or ';', suffix=arg.parsed.suffix) |
195 | 1274 sql.parsed['suffix'] = sql.parsed.suffix or '10' |
196 | 1275 self.do_select(self.parsed(sql)) |
189 | 1276 |
1277 def do_print(self, arg): | |
1278 'print VARNAME: Show current value of bind variable VARNAME.' | |
1279 if arg: | |
1280 if arg[0] == ':': | |
1281 arg = arg[1:] | |
1282 try: | |
356
c86177642f75
replacing stdout with poutput; no bracketing partial pulls with remarks
catherine@cordelia
parents:
355
diff
changeset
|
1283 self.poutput(str(self.binds[arg])+'\n') |
189 | 1284 except KeyError: |
356
c86177642f75
replacing stdout with poutput; no bracketing partial pulls with remarks
catherine@cordelia
parents:
355
diff
changeset
|
1285 self.poutput('No bind variable %s\n' % arg) |
189 | 1286 else: |
250 | 1287 for (var, val) in sorted(self.binds.items()): |
333 | 1288 self.poutput(':%s = %s' % (var, val)) |
189 | 1289 |
285 | 1290 def split_on_parser(self, parser, arg): |
1291 try: | |
1292 assigner, startat, endat = parser.scanner.scanString(arg).next() | |
1293 return (arg[:startat].strip(), arg[endat:].strip()) | |
1294 except StopIteration: | |
1295 return ''.join(arg.split()[:1]), '' | |
1296 | |
355 | 1297 assignmentSplitter = re.compile(':?=') |
285 | 1298 def interpret_variable_assignment(self, arg): |
1299 ''' | |
374 | 1300 Accepts strings like `foo = 'bar'` or `baz := 22`, |
1301 returns (assigned? (T/F), variable, new-value) | |
1302 | |
1303 >>> s = sqlpyPlus() | |
1304 >>> s.interpret_variable_assignment(s.parsed("foo = 'bar'")) | |
1305 (True, 'foo', 'bar') | |
1306 >>> s.interpret_variable_assignment(s.parsed("baz := 22")) | |
1307 (True, 'baz', 22) | |
1308 >>> s.interpret_variable_assignment(s.parsed("foo")) | |
1309 (False, 'foo', None) | |
285 | 1310 ''' |
374 | 1311 arg = self.parsed(arg) |
329
3efffbf7481f
fixed bug in assigning 0, null to bind vars
Catherine Devlin <catherine.devlin@gmail.com>
parents:
322
diff
changeset
|
1312 try: |
355 | 1313 var, val = self.assignmentSplitter.split(arg.parsed.expanded, maxsplit=1) |
1314 except ValueError: | |
374 | 1315 return False, arg.parsed.expanded.split()[-1] or None, None |
355 | 1316 var = var.split()[-1] |
374 | 1317 val = val.strip() |
285 | 1318 if (len(val) > 1) and ((val[0] == val[-1] == "'") or (val[0] == val[-1] == '"')): |
329
3efffbf7481f
fixed bug in assigning 0, null to bind vars
Catherine Devlin <catherine.devlin@gmail.com>
parents:
322
diff
changeset
|
1319 return True, var, val[1:-1] |
285 | 1320 try: |
329
3efffbf7481f
fixed bug in assigning 0, null to bind vars
Catherine Devlin <catherine.devlin@gmail.com>
parents:
322
diff
changeset
|
1321 return True, var, int(val) |
285 | 1322 except ValueError: |
1323 try: | |
329
3efffbf7481f
fixed bug in assigning 0, null to bind vars
Catherine Devlin <catherine.devlin@gmail.com>
parents:
322
diff
changeset
|
1324 return True, var, float(val) |
285 | 1325 except ValueError: |
1326 # use the conversions implicit in cx_Oracle's select to | |
1327 # cast the value into an appropriate type (dates, for instance) | |
1328 try: | |
355 | 1329 if self.rdbms == 'oracle': |
1330 sql = 'SELECT %s FROM dual' | |
1331 else: | |
1332 sql = 'SELECT %s' | |
1333 self.curs.execute(sql % val) | |
329
3efffbf7481f
fixed bug in assigning 0, null to bind vars
Catherine Devlin <catherine.devlin@gmail.com>
parents:
322
diff
changeset
|
1334 return True, var, self.curs.fetchone()[0] |
355 | 1335 except: # should not be bare - should catch cx_Oracle.DatabaseError, etc. |
329
3efffbf7481f
fixed bug in assigning 0, null to bind vars
Catherine Devlin <catherine.devlin@gmail.com>
parents:
322
diff
changeset
|
1336 return True, var, val # we give up and assume it's a string |
285 | 1337 |
189 | 1338 def do_setbind(self, arg): |
285 | 1339 '''Sets or shows values of bind (`:`) variables.''' |
189 | 1340 if not arg: |
1341 return self.do_print(arg) | |
329
3efffbf7481f
fixed bug in assigning 0, null to bind vars
Catherine Devlin <catherine.devlin@gmail.com>
parents:
322
diff
changeset
|
1342 assigned, var, val = self.interpret_variable_assignment(arg) |
3efffbf7481f
fixed bug in assigning 0, null to bind vars
Catherine Devlin <catherine.devlin@gmail.com>
parents:
322
diff
changeset
|
1343 if not assigned: |
3efffbf7481f
fixed bug in assigning 0, null to bind vars
Catherine Devlin <catherine.devlin@gmail.com>
parents:
322
diff
changeset
|
1344 return self.do_print(var) |
3efffbf7481f
fixed bug in assigning 0, null to bind vars
Catherine Devlin <catherine.devlin@gmail.com>
parents:
322
diff
changeset
|
1345 else: |
285 | 1346 self.binds[var] = val |
189 | 1347 |
285 | 1348 def do_define(self, arg): |
1349 '''Sets or shows values of substitution (`&`) variables.''' | |
1350 if not arg: | |
1351 for (substvar, val) in sorted(self.substvars.items()): | |
333 | 1352 self.poutput('DEFINE %s = "%s" (%s)' % (substvar, val, type(val))) |
329
3efffbf7481f
fixed bug in assigning 0, null to bind vars
Catherine Devlin <catherine.devlin@gmail.com>
parents:
322
diff
changeset
|
1353 assigned, var, val = self.interpret_variable_assignment(arg) |
3efffbf7481f
fixed bug in assigning 0, null to bind vars
Catherine Devlin <catherine.devlin@gmail.com>
parents:
322
diff
changeset
|
1354 if assigned: |
285 | 1355 self.substvars[var] = val |
1356 else: | |
1357 if var in self.substvars: | |
333 | 1358 self.poutput('DEFINE %s = "%s" (%s)' % (var, self.substvars[var], type(self.substvars[var]))) |
285 | 1359 |
189 | 1360 def do_exec(self, arg): |
213 | 1361 if arg.startswith(':'): |
374 | 1362 self.do_setbind(arg.parsed.expanded.split(':',1)[1]) |
189 | 1363 else: |
340
001d01eeac90
bind vars for postgres
Catherine Devlin <catherine.devlin@gmail.com>
parents:
339
diff
changeset
|
1364 varsUsed = self.findBinds(arg, {}) |
189 | 1365 try: |
1366 self.curs.execute('begin\n%s;end;' % arg, varsUsed) | |
1367 except Exception, e: | |
333 | 1368 self.perror(e) |
189 | 1369 |
1370 ''' | |
1371 Fails: | |
1372 select n into :n from test;''' | |
1373 | |
1374 def anon_plsql(self, line1): | |
1375 lines = [line1] | |
1376 while True: | |
247 | 1377 line = self.pseudo_raw_input(self.continuation_prompt) |
311 | 1378 self.history[-1] = '%s\n%s' % (self.history[-1], line) |
241 | 1379 if line == 'EOF': |
1380 return | |
189 | 1381 if line.strip() == '/': |
1382 try: | |
1383 self.curs.execute('\n'.join(lines)) | |
1384 except Exception, e: | |
333 | 1385 self.perror(e) |
189 | 1386 return |
1387 lines.append(line) | |
1388 | |
1389 def do_begin(self, arg): | |
281 | 1390 ''' |
1391 PL/SQL blocks can be used normally in sqlpython, though enclosing statements in | |
1392 REMARK BEGIN... REMARK END statements can help with parsing speed.''' | |
189 | 1393 self.anon_plsql('begin ' + arg) |
1394 | |
1395 def do_declare(self, arg): | |
1396 self.anon_plsql('declare ' + arg) | |
216
c5a49947eedc
going to try multiple pull
catherine@Elli.myhome.westell.com
parents:
213
diff
changeset
|
1397 |
326
82937b8dcbfe
very basic multi-RDBMS ls in place
Catherine Devlin <catherine.devlin@gmail.com>
parents:
322
diff
changeset
|
1398 def ls_where_clause(self, arg, opts): |
82937b8dcbfe
very basic multi-RDBMS ls in place
Catherine Devlin <catherine.devlin@gmail.com>
parents:
322
diff
changeset
|
1399 where = ['WHERE (1=1) '] |
189 | 1400 if arg: |
280
8ea39093ddf2
struggling with catching terminator after /*
catherine@dellzilla
parents:
277
diff
changeset
|
1401 target = arg.upper().replace('*','%') |
313
22fc9a350eaa
finally, ls working right
catherine@Elli.myhome.westell.com
parents:
311
diff
changeset
|
1402 if target in self.object_types: |
22fc9a350eaa
finally, ls working right
catherine@Elli.myhome.westell.com
parents:
311
diff
changeset
|
1403 target += '/%' |
326
82937b8dcbfe
very basic multi-RDBMS ls in place
Catherine Devlin <catherine.devlin@gmail.com>
parents:
322
diff
changeset
|
1404 where.append(""" |
335
00b183a103b3
bare prefix switches connection
Catherine Devlin <catherine.devlin@gmail.com>
parents:
334
diff
changeset
|
1405 AND( UPPER(object_type) || '/' || UPPER(object_name) LIKE '%s' |
00b183a103b3
bare prefix switches connection
Catherine Devlin <catherine.devlin@gmail.com>
parents:
334
diff
changeset
|
1406 OR UPPER(object_name) LIKE '%s')""" % (target, target)) |
326
82937b8dcbfe
very basic multi-RDBMS ls in place
Catherine Devlin <catherine.devlin@gmail.com>
parents:
322
diff
changeset
|
1407 if not opts.all: |
335
00b183a103b3
bare prefix switches connection
Catherine Devlin <catherine.devlin@gmail.com>
parents:
334
diff
changeset
|
1408 where.append("AND owner = my_own") |
326
82937b8dcbfe
very basic multi-RDBMS ls in place
Catherine Devlin <catherine.devlin@gmail.com>
parents:
322
diff
changeset
|
1409 return '\n'.join(where) |
216
c5a49947eedc
going to try multiple pull
catherine@Elli.myhome.westell.com
parents:
213
diff
changeset
|
1410 |
c5a49947eedc
going to try multiple pull
catherine@Elli.myhome.westell.com
parents:
213
diff
changeset
|
1411 def resolve_many(self, arg, opts): |
331
a6cbcf24f148
oops, needed to fix resolve_many
Catherine Devlin <catherine.devlin@gmail.com>
parents:
330
diff
changeset
|
1412 statement = """SELECT owner, object_name, object_type FROM (%s) |
a6cbcf24f148
oops, needed to fix resolve_many
Catherine Devlin <catherine.devlin@gmail.com>
parents:
330
diff
changeset
|
1413 %s""" % (metaqueries['ls'][self.rdbms], self.ls_where_clause(arg, opts)) |
249 | 1414 self._execute(statement) |
216
c5a49947eedc
going to try multiple pull
catherine@Elli.myhome.westell.com
parents:
213
diff
changeset
|
1415 return self.curs.fetchall() |
313
22fc9a350eaa
finally, ls working right
catherine@Elli.myhome.westell.com
parents:
311
diff
changeset
|
1416 |
22fc9a350eaa
finally, ls working right
catherine@Elli.myhome.westell.com
parents:
311
diff
changeset
|
1417 object_types = ( |
335
00b183a103b3
bare prefix switches connection
Catherine Devlin <catherine.devlin@gmail.com>
parents:
334
diff
changeset
|
1418 'BASE TABLE', |
313
22fc9a350eaa
finally, ls working right
catherine@Elli.myhome.westell.com
parents:
311
diff
changeset
|
1419 'CLUSTER', |
22fc9a350eaa
finally, ls working right
catherine@Elli.myhome.westell.com
parents:
311
diff
changeset
|
1420 'CONSUMER GROUP', |
22fc9a350eaa
finally, ls working right
catherine@Elli.myhome.westell.com
parents:
311
diff
changeset
|
1421 'CONTEXT', |
22fc9a350eaa
finally, ls working right
catherine@Elli.myhome.westell.com
parents:
311
diff
changeset
|
1422 'DIRECTORY', |
22fc9a350eaa
finally, ls working right
catherine@Elli.myhome.westell.com
parents:
311
diff
changeset
|
1423 'EDITION', |
22fc9a350eaa
finally, ls working right
catherine@Elli.myhome.westell.com
parents:
311
diff
changeset
|
1424 'EVALUATION CONTEXT', |
22fc9a350eaa
finally, ls working right
catherine@Elli.myhome.westell.com
parents:
311
diff
changeset
|
1425 'FUNCTION', |
22fc9a350eaa
finally, ls working right
catherine@Elli.myhome.westell.com
parents:
311
diff
changeset
|
1426 'INDEX', |
22fc9a350eaa
finally, ls working right
catherine@Elli.myhome.westell.com
parents:
311
diff
changeset
|
1427 'INDEX PARTITION', |
22fc9a350eaa
finally, ls working right
catherine@Elli.myhome.westell.com
parents:
311
diff
changeset
|
1428 'INDEXTYPE', |
22fc9a350eaa
finally, ls working right
catherine@Elli.myhome.westell.com
parents:
311
diff
changeset
|
1429 'JAVA CLASS', |
22fc9a350eaa
finally, ls working right
catherine@Elli.myhome.westell.com
parents:
311
diff
changeset
|
1430 'JAVA DATA', |
22fc9a350eaa
finally, ls working right
catherine@Elli.myhome.westell.com
parents:
311
diff
changeset
|
1431 'JAVA RESOURCE', |
22fc9a350eaa
finally, ls working right
catherine@Elli.myhome.westell.com
parents:
311
diff
changeset
|
1432 'JOB', |
22fc9a350eaa
finally, ls working right
catherine@Elli.myhome.westell.com
parents:
311
diff
changeset
|
1433 'JOB CLASS', |
22fc9a350eaa
finally, ls working right
catherine@Elli.myhome.westell.com
parents:
311
diff
changeset
|
1434 'LIBRARY', |
22fc9a350eaa
finally, ls working right
catherine@Elli.myhome.westell.com
parents:
311
diff
changeset
|
1435 'MATERIALIZED VIEW', |
22fc9a350eaa
finally, ls working right
catherine@Elli.myhome.westell.com
parents:
311
diff
changeset
|
1436 'OPERATOR', |
22fc9a350eaa
finally, ls working right
catherine@Elli.myhome.westell.com
parents:
311
diff
changeset
|
1437 'PACKAGE', |
22fc9a350eaa
finally, ls working right
catherine@Elli.myhome.westell.com
parents:
311
diff
changeset
|
1438 'PACKAGE BODY', |
22fc9a350eaa
finally, ls working right
catherine@Elli.myhome.westell.com
parents:
311
diff
changeset
|
1439 'PROCEDURE', |
22fc9a350eaa
finally, ls working right
catherine@Elli.myhome.westell.com
parents:
311
diff
changeset
|
1440 'PROGRAM', |
22fc9a350eaa
finally, ls working right
catherine@Elli.myhome.westell.com
parents:
311
diff
changeset
|
1441 'RULE', |
22fc9a350eaa
finally, ls working right
catherine@Elli.myhome.westell.com
parents:
311
diff
changeset
|
1442 'RULE SET', |
22fc9a350eaa
finally, ls working right
catherine@Elli.myhome.westell.com
parents:
311
diff
changeset
|
1443 'SCHEDULE', |
22fc9a350eaa
finally, ls working right
catherine@Elli.myhome.westell.com
parents:
311
diff
changeset
|
1444 'SEQUENCE', |
22fc9a350eaa
finally, ls working right
catherine@Elli.myhome.westell.com
parents:
311
diff
changeset
|
1445 'SYNONYM', |
22fc9a350eaa
finally, ls working right
catherine@Elli.myhome.westell.com
parents:
311
diff
changeset
|
1446 'TABLE', |
22fc9a350eaa
finally, ls working right
catherine@Elli.myhome.westell.com
parents:
311
diff
changeset
|
1447 'TABLE PARTITION', |
22fc9a350eaa
finally, ls working right
catherine@Elli.myhome.westell.com
parents:
311
diff
changeset
|
1448 'TRIGGER', |
22fc9a350eaa
finally, ls working right
catherine@Elli.myhome.westell.com
parents:
311
diff
changeset
|
1449 'TYPE', |
22fc9a350eaa
finally, ls working right
catherine@Elli.myhome.westell.com
parents:
311
diff
changeset
|
1450 'TYPE BODY', |
22fc9a350eaa
finally, ls working right
catherine@Elli.myhome.westell.com
parents:
311
diff
changeset
|
1451 'VIEW', |
22fc9a350eaa
finally, ls working right
catherine@Elli.myhome.westell.com
parents:
311
diff
changeset
|
1452 'WINDOW', |
22fc9a350eaa
finally, ls working right
catherine@Elli.myhome.westell.com
parents:
311
diff
changeset
|
1453 'WINDOW GROUP', |
22fc9a350eaa
finally, ls working right
catherine@Elli.myhome.westell.com
parents:
311
diff
changeset
|
1454 'XML SCHEMA') |
377 | 1455 |
391 | 1456 def metadata(self): |
387 | 1457 schemas = self.connections[self.connection_number]['schemas'] |
390 | 1458 username = self.connections[self.connection_number]['user'].upper() |
391 | 1459 return (username, schemas) |
1460 | |
1461 def _to_sql_wildcards(self, original): | |
1462 return original.replace('*','%').replace('?','_') | |
1463 #hmm... but these should be escape-able? | |
1464 | |
1465 def _to_re_wildcards(self, original): | |
1466 result = re.escape(original) | |
1467 return result.replace('\\*','.*').replace('\\?','.') | |
1468 | |
398 | 1469 def _regex(self, s, exact=False): |
1470 seekpatt = r'[/\\]?%s[/\\]?' % ( | |
1471 s.replace('*', '.*').replace('?','.').replace('%', '.*')) | |
1472 if exact: | |
1473 seekpatt = '^%s$' % seekpatt | |
1474 return re.compile(seekpatt, re.IGNORECASE) | |
1475 | |
391 | 1476 def _matching_database_objects(self, arg, opts): |
1477 # jrrt.p* should work even if not --all | |
392 | 1478 # doesn't get java$options |
396 | 1479 (username, schemas) = self.metadata() |
1480 if opts.get('immediate'): | |
1481 if opts.get('all'): | |
394
58e6d66794b0
refactoring _matching_database_objects to return MetaData
catherine@DellZilla
parents:
393
diff
changeset
|
1482 self.perror('Cannot combine --all with --immediate - operation takes too long') |
395
bb434c623bca
about to give up on overriding __getattr__ in options
catherine@DellZilla
parents:
394
diff
changeset
|
1483 raise StopIteration |
394
58e6d66794b0
refactoring _matching_database_objects to return MetaData
catherine@DellZilla
parents:
393
diff
changeset
|
1484 else: |
58e6d66794b0
refactoring _matching_database_objects to return MetaData
catherine@DellZilla
parents:
393
diff
changeset
|
1485 self.pfeedback('Refreshing metadata for %s...' % username) |
58e6d66794b0
refactoring _matching_database_objects to return MetaData
catherine@DellZilla
parents:
393
diff
changeset
|
1486 schemas.refresh_one(username) |
396 | 1487 if schemas.complete == 0: |
1488 self.pfeedback('No data available yet - still gathering schema information') | |
1489 raise StopIteration | |
1490 elif (opts.get('all') and (schemas.complete != 'all')): | |
1491 self.pfeedback('Results are incomplete - only %d schemas mapped so far' % schemas.complete) | |
394
58e6d66794b0
refactoring _matching_database_objects to return MetaData
catherine@DellZilla
parents:
393
diff
changeset
|
1492 |
398 | 1493 seek = self._regex(arg, opts.get('exact')) |
396 | 1494 qualified = opts.get('all') |
387 | 1495 for (schema_name, schema) in schemas.items(): |
396 | 1496 if schema_name == username or opts.get('all'): |
394
58e6d66794b0
refactoring _matching_database_objects to return MetaData
catherine@DellZilla
parents:
393
diff
changeset
|
1497 for (name, dbobj) in schema.schema.items(): |
58e6d66794b0
refactoring _matching_database_objects to return MetaData
catherine@DellZilla
parents:
393
diff
changeset
|
1498 metadata = MetaData(object_name=name, schema_name=schema_name, db_object=dbobj) |
391 | 1499 if (not arg) or ( |
397 | 1500 seek.search(metadata.descriptor(qualified)) or |
1501 seek.search(metadata.name(qualified)) or | |
1502 seek.search(metadata.db_type)): | |
394
58e6d66794b0
refactoring _matching_database_objects to return MetaData
catherine@DellZilla
parents:
393
diff
changeset
|
1503 yield metadata |
391 | 1504 |
396 | 1505 @options([make_option('-l', '--long', action='store_true', help='long descriptions'), |
391 | 1506 make_option('-a', '--all', action='store_true', help="all schemas' objects"), |
1507 make_option('-i', '--immediate', action='store_true', help="force immediate refresh of metadata"), | |
1508 #make_option('-t', '--timesort', action='store_true', help="Sort by last_ddl_time"), | |
1509 make_option('-r', '--reverse', action='store_true', help="Reverse order while sorting")]) | |
1510 def do_ls(self, arg, opts): | |
1511 ''' | |
1512 Lists objects as through they were in an {object_type}/{object_name} UNIX | |
1513 directory structure. `*` and `%` may be used as wildcards. | |
1514 ''' | |
396 | 1515 opts.exact = True |
391 | 1516 (username, schemas) = self.metadata() |
394
58e6d66794b0
refactoring _matching_database_objects to return MetaData
catherine@DellZilla
parents:
393
diff
changeset
|
1517 result = [] |
58e6d66794b0
refactoring _matching_database_objects to return MetaData
catherine@DellZilla
parents:
393
diff
changeset
|
1518 for obj in self._matching_database_objects(arg, opts): |
58e6d66794b0
refactoring _matching_database_objects to return MetaData
catherine@DellZilla
parents:
393
diff
changeset
|
1519 if opts.long: |
58e6d66794b0
refactoring _matching_database_objects to return MetaData
catherine@DellZilla
parents:
393
diff
changeset
|
1520 result.append('%s' % (obj.descriptor(qualified=True))) |
58e6d66794b0
refactoring _matching_database_objects to return MetaData
catherine@DellZilla
parents:
393
diff
changeset
|
1521 # if opts.long: status, last_ddl_time |
391 | 1522 else: |
394
58e6d66794b0
refactoring _matching_database_objects to return MetaData
catherine@DellZilla
parents:
393
diff
changeset
|
1523 result.append(obj.descriptor(qualified=opts.all)) |
387 | 1524 if result: |
1525 result.sort(reverse=bool(opts.reverse)) | |
1526 self.poutput('\n'.join(result)) | |
189 | 1527 |
391 | 1528 @options([make_option('-i', '--ignore-case', dest='ignorecase', action='store_true', help='Case-insensitive search'), |
1529 make_option('-a', '--all', action='store_true', help="all schemas' objects")]) | |
1530 | |
189 | 1531 def do_grep(self, arg, opts): |
314 | 1532 """grep {target} {table} [{table2,...}] |
1533 search for {target} in any of {table}'s fields""" | |
391 | 1534 arg = self.parsed(arg) |
396 | 1535 opts.exact = True |
391 | 1536 args = arg.split() |
1537 if len(args) < 2: | |
1538 self.perror(self.do_grep.__doc__) | |
1539 return | |
1540 pattern, targets = args[0], args[1:] | |
1541 if opts.ignorecase: | |
1542 pattern = pattern.lower() | |
1543 comparitor = "OR LOWER(to_char(%s)) LIKE '%%%s%%'" | |
1544 else: | |
1545 comparitor = "OR to_char(%s) LIKE '%%%s%%'" | |
1546 sql_pattern = self._to_sql_wildcards(pattern) | |
1547 re_pattern = re.compile(self._to_re_wildcards(pattern), | |
1548 (opts.ignorecase and re.IGNORECASE) or 0) | |
189 | 1549 for target in targets: |
394
58e6d66794b0
refactoring _matching_database_objects to return MetaData
catherine@DellZilla
parents:
393
diff
changeset
|
1550 for m in self._matching_database_objects(target, opts): |
396 | 1551 self.pfeedback(m.descriptor(qualified=opts.all)) |
394
58e6d66794b0
refactoring _matching_database_objects to return MetaData
catherine@DellZilla
parents:
393
diff
changeset
|
1552 if hasattr(m.db_object, 'columns'): |
391 | 1553 clauses = [] |
394
58e6d66794b0
refactoring _matching_database_objects to return MetaData
catherine@DellZilla
parents:
393
diff
changeset
|
1554 for col in m.db_object.columns: |
391 | 1555 clauses.append(comparitor % (col, sql_pattern)) |
396 | 1556 sql = "SELECT * FROM %s WHERE 1=0\n%s;" % (m.object_name, ' '.join(clauses)) |
391 | 1557 sql = self.parsed(sql, |
1558 terminator=arg.parsed.terminator or ';', | |
1559 suffix=arg.parsed.suffix) | |
1560 self.do_select(sql) | |
394
58e6d66794b0
refactoring _matching_database_objects to return MetaData
catherine@DellZilla
parents:
393
diff
changeset
|
1561 elif hasattr(m.db_object, 'source'): |
58e6d66794b0
refactoring _matching_database_objects to return MetaData
catherine@DellZilla
parents:
393
diff
changeset
|
1562 for (line_num, line) in m.db_object.source: |
391 | 1563 if re_pattern.search(line): |
1564 self.poutput('%4d: %s' % (line_num, line)) | |
1565 | |
189 | 1566 |
335
00b183a103b3
bare prefix switches connection
Catherine Devlin <catherine.devlin@gmail.com>
parents:
334
diff
changeset
|
1567 def _cast(self, colname, typ='CHAR'): |
00b183a103b3
bare prefix switches connection
Catherine Devlin <catherine.devlin@gmail.com>
parents:
334
diff
changeset
|
1568 'self._cast(colname, typ) => Returns the RDBMS-equivalent "CAST (colname AS typ) expression.' |
00b183a103b3
bare prefix switches connection
Catherine Devlin <catherine.devlin@gmail.com>
parents:
334
diff
changeset
|
1569 converter = {'oracle': 'TO_%(typ)s(%(colname)s)'}.get(self.rdbms, 'CAST(%(colname)s AS %(typ)s)') |
00b183a103b3
bare prefix switches connection
Catherine Devlin <catherine.devlin@gmail.com>
parents:
334
diff
changeset
|
1570 return converter % {'colname': colname, 'typ': typ} |
00b183a103b3
bare prefix switches connection
Catherine Devlin <catherine.devlin@gmail.com>
parents:
334
diff
changeset
|
1571 |
249 | 1572 def _execute(self, sql, bindvars={}): |
333 | 1573 self.sqlfeedback(sql) |
249 | 1574 self.curs.execute(sql, bindvars) |
1575 | |
286 | 1576 #@options([make_option('-l', '--long', action='store_true', |
1577 # help='Wordy, easy-to-understand form'),]) | |
189 | 1578 def do_refs(self, arg): |
286 | 1579 '''Lists referential integrity (foreign key constraints) on an object or referring to it.''' |
211 | 1580 |
1581 if not arg.strip(): | |
333 | 1582 self.perror('Usage: refs (table name)') |
190 | 1583 result = [] |
205 | 1584 (type, owner, table_name) = self.resolve(arg.upper()) |
249 | 1585 sql = """SELECT constraint_name, r_owner, r_constraint_name |
191 | 1586 FROM all_constraints |
1587 WHERE constraint_type = 'R' | |
1588 AND owner = :owner | |
249 | 1589 AND table_name = :table_name""" |
1590 self._execute(sql, {"owner": owner, "table_name": table_name}) | |
191 | 1591 for (constraint_name, remote_owner, remote_constraint_name) in self.curs.fetchall(): |
1592 result.append('%s on %s.%s:' % (constraint_name, owner, table_name)) | |
249 | 1593 |
1594 self._execute("SELECT column_name FROM all_cons_columns WHERE owner = :owner AND constraint_name = :constraint_name ORDER BY position", | |
1595 {'constraint_name': constraint_name, 'owner': owner}) | |
191 | 1596 result.append(" (%s)" % (",".join(col[0] for col in self.curs.fetchall()))) |
249 | 1597 self._execute("SELECT table_name FROM all_constraints WHERE owner = :remote_owner AND constraint_name = :remote_constraint_name", |
1598 {'remote_owner': remote_owner, 'remote_constraint_name': remote_constraint_name}) | |
191 | 1599 remote_table_name = self.curs.fetchone()[0] |
1600 result.append("must be in %s:" % (remote_table_name)) | |
249 | 1601 self._execute("SELECT column_name FROM all_cons_columns WHERE owner = :remote_owner AND constraint_name = :remote_constraint_name ORDER BY position", |
191 | 1602 {'remote_constraint_name': remote_constraint_name, 'remote_owner': remote_owner}) |
1603 result.append(' (%s)\n' % (",".join(col[0] for col in self.curs.fetchall()))) | |
1604 remote_table_name = table_name | |
1605 remote_owner = owner | |
249 | 1606 self._execute("""SELECT owner, constraint_name, table_name, r_constraint_name |
191 | 1607 FROM all_constraints |
1608 WHERE (r_owner, r_constraint_name) IN | |
1609 ( SELECT owner, constraint_name | |
1610 FROM all_constraints | |
192
6bb8a112af6b
accept special terminators on most anything
catherine@dellzilla
parents:
191
diff
changeset
|
1611 WHERE table_name = :remote_table_name |
191 | 1612 AND owner = :remote_owner )""", |
1613 {'remote_table_name': remote_table_name, 'remote_owner': remote_owner}) | |
1614 for (owner, constraint_name, table_name, remote_constraint_name) in self.curs.fetchall(): | |
1615 result.append('%s on %s.%s:' % (constraint_name, owner, table_name)) | |
249 | 1616 self._execute("SELECT column_name FROM all_cons_columns WHERE owner = :owner AND constraint_name = :constraint_name ORDER BY position", |
191 | 1617 {'constraint_name': constraint_name, 'owner': owner}) |
1618 result.append(" (%s)" % (",".join(col[0] for col in self.curs.fetchall()))) | |
249 | 1619 self._execute("SELECT table_name FROM all_constraints WHERE owner = :remote_owner AND constraint_name = :remote_constraint_name", |
191 | 1620 {'remote_owner': remote_owner, 'remote_constraint_name': remote_constraint_name}) |
1621 remote_table_name = self.curs.fetchone()[0] | |
1622 result.append("must be in %s:" % (remote_table_name)) | |
249 | 1623 self._execute("SELECT column_name FROM all_cons_columns WHERE owner = :remote_owner AND constraint_name = :remote_constraint_name ORDER BY position", |
191 | 1624 {'remote_constraint_name': remote_constraint_name, 'remote_owner': remote_owner}) |
1625 result.append(' (%s)\n' % (",".join(col[0] for col in self.curs.fetchall()))) | |
357 | 1626 self.poutput('\n'.join(result) + "\n") |
190 | 1627 |
189 | 1628 def _test(): |
1629 import doctest | |
1630 doctest.testmod() | |
1631 | |
1632 if __name__ == "__main__": | |
1633 "Silent return implies that all unit tests succeeded. Use -v to see details." | |
1634 _test() |