home *** CD-ROM | disk | FTP | other *** search
/ linuxmafia.com 2016 / linuxmafia.com.tar / linuxmafia.com / pub / palmos / pippy-0.6beta-src.tar.gz / pippy-0.6beta-src.tar / pippy-0.6beta-src / src / Lib / pdb.py < prev    next >
Text File  |  2000-12-21  |  25KB  |  944 lines

  1. #! /usr/bin/env python
  2.  
  3. """A Python debugger."""
  4.  
  5. # (See pdb.doc for documentation.)
  6.  
  7. import string
  8. import sys
  9. import linecache
  10. import cmd
  11. import bdb
  12. import repr
  13. import os
  14. import re
  15.  
  16. def find_function(funcname, filename):
  17.     cre = re.compile(r'def\s+%s\s*[(]' % funcname)
  18.     try:
  19.         fp = open(filename)
  20.     except IOError:
  21.         return None
  22.     # consumer of this info expects the first line to be 1
  23.     lineno = 1
  24.     answer = None
  25.     while 1:
  26.         line = fp.readline()
  27.         if line == '':
  28.             break
  29.         if cre.match(line):
  30.             answer = funcname, filename, lineno
  31.             break
  32.         lineno = lineno + 1
  33.     fp.close()
  34.     return answer
  35.  
  36.  
  37. # Interaction prompt line will separate file and call info from code
  38. # text using value of line_prefix string.  A newline and arrow may
  39. # be to your liking.  You can set it once pdb is imported using the
  40. # command "pdb.line_prefix = '\n% '".
  41. # line_prefix = ': '    # Use this to get the old situation back
  42. line_prefix = '\n-> '    # Probably a better default
  43.  
  44. class Pdb(bdb.Bdb, cmd.Cmd):
  45.     
  46.     def __init__(self):
  47.         bdb.Bdb.__init__(self)
  48.         cmd.Cmd.__init__(self)
  49.         self.prompt = '(Pdb) '
  50.         self.aliases = {}
  51.         # Try to load readline if it exists
  52.         try:
  53.             import readline
  54.         except ImportError:
  55.             pass
  56.  
  57.         # Read $HOME/.pdbrc and ./.pdbrc
  58.         self.rcLines = []
  59.         if os.environ.has_key('HOME'):
  60.             envHome = os.environ['HOME']
  61.             try:
  62.                 rcFile = open (envHome + "/.pdbrc")
  63.             except IOError:
  64.                 pass
  65.             else:
  66.                 for line in rcFile.readlines():
  67.                     self.rcLines.append (line)
  68.                 rcFile.close()
  69.         try:
  70.             rcFile = open ("./.pdbrc")
  71.         except IOError:
  72.             pass
  73.         else:
  74.             for line in rcFile.readlines():
  75.                 self.rcLines.append (line)
  76.             rcFile.close()
  77.     
  78.     def reset(self):
  79.         bdb.Bdb.reset(self)
  80.         self.forget()
  81.     
  82.     def forget(self):
  83.         self.lineno = None
  84.         self.stack = []
  85.         self.curindex = 0
  86.         self.curframe = None
  87.     
  88.     def setup(self, f, t):
  89.         self.forget()
  90.         self.stack, self.curindex = self.get_stack(f, t)
  91.         self.curframe = self.stack[self.curindex][0]
  92.         self.execRcLines()
  93.  
  94.     # Can be executed earlier than 'setup' if desired
  95.     def execRcLines(self):
  96.         if self.rcLines:
  97.             # Make local copy because of recursion
  98.             rcLines = self.rcLines
  99.             # executed only once
  100.             self.rcLines = []
  101.             for line in rcLines:
  102.                 line = line[:-1]
  103.                 if len (line) > 0 and line[0] != '#':
  104.                     self.onecmd (line)
  105.     
  106.     # Override Bdb methods (except user_call, for now)
  107.     
  108.     def user_line(self, frame):
  109.         """This function is called when we stop or break at this line."""
  110.         self.interaction(frame, None)
  111.     
  112.     def user_return(self, frame, return_value):
  113.         """This function is called when a return trap is set here."""
  114.         frame.f_locals['__return__'] = return_value
  115.         print '--Return--'
  116.         self.interaction(frame, None)
  117.     
  118.     def user_exception(self, frame, (exc_type, exc_value, exc_traceback)):
  119.         """This function is called if an exception occurs,
  120.         but only if we are to stop at or just below this level."""
  121.         frame.f_locals['__exception__'] = exc_type, exc_value
  122.         if type(exc_type) == type(''):
  123.             exc_type_name = exc_type
  124.         else: exc_type_name = exc_type.__name__
  125.         print exc_type_name + ':', repr.repr(exc_value)
  126.         self.interaction(frame, exc_traceback)
  127.     
  128.     # General interaction function
  129.     
  130.     def interaction(self, frame, traceback):
  131.         self.setup(frame, traceback)
  132.         self.print_stack_entry(self.stack[self.curindex])
  133.         self.cmdloop()
  134.         self.forget()
  135.  
  136.     def default(self, line):
  137.         if line[:1] == '!': line = line[1:]
  138.         locals = self.curframe.f_locals
  139.         globals = self.curframe.f_globals
  140.         try:
  141.             code = compile(line + '\n', '<stdin>', 'single')
  142.             exec code in globals, locals
  143.         except:
  144.             t, v = sys.exc_info()[:2]
  145.             if type(t) == type(''):
  146.                 exc_type_name = t
  147.             else: exc_type_name = t.__name__
  148.             print '***', exc_type_name + ':', v
  149.  
  150.     def precmd(self, line):
  151.         """Handle alias expansion and ';;' separator."""
  152.         if not line:
  153.             return line
  154.         args = string.split(line)
  155.         while self.aliases.has_key(args[0]):
  156.             line = self.aliases[args[0]]
  157.             ii = 1
  158.             for tmpArg in args[1:]:
  159.                 line = string.replace(line, "%" + str(ii),
  160.                               tmpArg)
  161.                 ii = ii + 1
  162.             line = string.replace(line, "%*",
  163.                           string.join(args[1:], ' '))
  164.             args = string.split(line)
  165.         # split into ';;' separated commands
  166.         # unless it's an alias command
  167.         if args[0] != 'alias':
  168.             marker = string.find(line, ';;')
  169.             if marker >= 0:
  170.                 # queue up everything after marker
  171.                 next = string.lstrip(line[marker+2:])
  172.                 self.cmdqueue.append(next)
  173.                 line = string.rstrip(line[:marker])
  174.         return line
  175.  
  176.     # Command definitions, called by cmdloop()
  177.     # The argument is the remaining string on the command line
  178.     # Return true to exit from the command loop 
  179.     
  180.     do_h = cmd.Cmd.do_help
  181.  
  182.     def do_EOF(self, arg):
  183.         return 0    # Don't die on EOF
  184.  
  185.     def do_break(self, arg, temporary = 0):
  186.         # break [ ([filename:]lineno | function) [, "condition"] ]
  187.         if not arg:
  188.             if self.breaks:  # There's at least one
  189.                 print "Num Type         Disp Enb   Where"
  190.                 for bp in bdb.Breakpoint.bpbynumber:
  191.                     if bp:
  192.                         bp.bpprint()
  193.             return
  194.         # parse arguments; comma has lowest precendence
  195.         # and cannot occur in filename
  196.         filename = None
  197.         lineno = None
  198.         cond = None
  199.         comma = string.find(arg, ',')
  200.         if comma > 0:
  201.             # parse stuff after comma: "condition"
  202.             cond = string.lstrip(arg[comma+1:])
  203.             arg = string.rstrip(arg[:comma])
  204.         # parse stuff before comma: [filename:]lineno | function
  205.         colon = string.rfind(arg, ':')
  206.         if colon >= 0:
  207.             filename = string.rstrip(arg[:colon])
  208.             f = self.lookupmodule(filename)
  209.             if not f:
  210.                 print '*** ', `filename`,
  211.                 print 'not found from sys.path'
  212.                 return
  213.             else:
  214.                 filename = f
  215.             arg = string.lstrip(arg[colon+1:])
  216.             try:
  217.                 lineno = int(arg)
  218.             except ValueError, msg:
  219.                 print '*** Bad lineno:', arg
  220.                 return
  221.         else:
  222.             # no colon; can be lineno or function
  223.             try:
  224.                 lineno = int(arg)
  225.             except ValueError:
  226.                 try:
  227.                     func = eval(arg,
  228.                             self.curframe.f_globals,
  229.                             self.curframe.f_locals)
  230.                 except:
  231.                     func = arg
  232.                 try:
  233.                     if hasattr(func, 'im_func'):
  234.                         func = func.im_func
  235.                     code = func.func_code
  236.                     lineno = code.co_firstlineno
  237.                     filename = code.co_filename
  238.                 except:
  239.                     # last thing to try
  240.                     (ok, filename, ln) = self.lineinfo(arg)
  241.                     if not ok:
  242.                         print '*** The specified object',
  243.                         print `arg`,
  244.                         print 'is not a function'
  245.                         print ('or was not found '
  246.                            'along sys.path.')
  247.                         return
  248.                     lineno = int(ln)
  249.         if not filename:
  250.             filename = self.defaultFile()
  251.         # Check for reasonable breakpoint
  252.         line = self.checkline(filename, lineno)
  253.         if line:
  254.             # now set the break point
  255.             err = self.set_break(filename, line, temporary, cond)
  256.             if err: print '***', err
  257.             else:
  258.                 bp = self.get_breaks(filename, line)[-1]
  259.                 print "Breakpoint %d at %s:%d" % (bp.number,
  260.                                   bp.file,
  261.                                   bp.line)
  262.  
  263.     # To be overridden in derived debuggers
  264.     def defaultFile(self):
  265.         """Produce a reasonable default."""
  266.         filename = self.curframe.f_code.co_filename
  267.         if filename == '<string>' and mainpyfile:
  268.             filename = mainpyfile
  269.         return filename
  270.  
  271.     do_b = do_break
  272.     
  273.     def do_tbreak(self, arg):
  274.         self.do_break(arg, 1)
  275.  
  276.     def lineinfo(self, identifier):
  277.         failed = (None, None, None)
  278.         # Input is identifier, may be in single quotes
  279.         idstring = string.split(identifier, "'")
  280.         if len(idstring) == 1:
  281.             # not in single quotes
  282.             id = string.strip(idstring[0])
  283.         elif len(idstring) == 3:
  284.             # quoted
  285.             id = string.strip(idstring[1])
  286.         else:
  287.             return failed
  288.         if id == '': return failed
  289.         parts = string.split(id, '.')
  290.         # Protection for derived debuggers
  291.         if parts[0] == 'self':
  292.             del parts[0]
  293.             if len(parts) == 0:
  294.                 return failed
  295.         # Best first guess at file to look at
  296.         fname = self.defaultFile()
  297.         if len(parts) == 1:
  298.             item = parts[0]
  299.         else:
  300.             # More than one part.
  301.             # First is module, second is method/class
  302.             f = self.lookupmodule(parts[0])
  303.             if f:
  304.                 fname = f
  305.             item = parts[1]
  306.         answer = find_function(item, fname)
  307.         return answer or failed
  308.         
  309.     def checkline(self, filename, lineno):
  310.         """Return line number of first line at or after input
  311.         argument such that if the input points to a 'def', the
  312.         returned line number is the first
  313.         non-blank/non-comment line to follow.  If the input
  314.         points to a blank or comment line, return 0.  At end
  315.         of file, also return 0."""
  316.  
  317.         line = linecache.getline(filename, lineno)
  318.         if not line:
  319.             print 'End of file'
  320.             return 0
  321.         line = string.strip(line)
  322.         # Don't allow setting breakpoint at a blank line
  323.         if ( not line or (line[0] == '#') or
  324.              (line[:3] == '"""') or line[:3] == "'''" ):
  325.             print '*** Blank or comment'
  326.             return 0
  327.         # When a file is read in and a breakpoint is at
  328.         # the 'def' statement, the system stops there at
  329.         # code parse time.  We don't want that, so all breakpoints
  330.         # set at 'def' statements are moved one line onward
  331.         if line[:3] == 'def':
  332.             instr = ''
  333.             brackets = 0
  334.             while 1:
  335.                 skipone = 0
  336.                 for c in line:
  337.                     if instr:
  338.                         if skipone:
  339.                             skipone = 0
  340.                         elif c == '\\':
  341.                             skipone = 1
  342.                         elif c == instr:
  343.                             instr = ''
  344.                     elif c == '#':
  345.                         break
  346.                     elif c in ('"',"'"):
  347.                         instr = c
  348.                     elif c in ('(','{','['):
  349.                         brackets = brackets + 1
  350.                     elif c in (')','}',']'):
  351.                         brackets = brackets - 1
  352.                 lineno = lineno+1
  353.                 line = linecache.getline(filename, lineno)
  354.                 if not line:
  355.                     print 'end of file'
  356.                     return 0
  357.                 line = string.strip(line)
  358.                 if not line: continue    # Blank line
  359.                 if brackets <= 0 and line[0] not in ('#','"',"'"):
  360.                     break
  361.         return lineno
  362.  
  363.     def do_enable(self, arg):
  364.         args = string.split(arg)
  365.         for i in args:
  366.             bp = bdb.Breakpoint.bpbynumber[int(i)]
  367.             if bp:
  368.                 bp.enable()
  369.  
  370.     def do_disable(self, arg):
  371.         args = string.split(arg)
  372.         for i in args:
  373.             bp = bdb.Breakpoint.bpbynumber[int(i)]
  374.             if bp:
  375.                 bp.disable()
  376.  
  377.     def do_condition(self, arg):
  378.         # arg is breakpoint number and condition
  379.         args = string.split(arg, ' ', 1)
  380.         bpnum = int(string.strip(args[0]))
  381.         try:
  382.             cond = args[1]
  383.         except:
  384.             cond = None
  385.         bp = bdb.Breakpoint.bpbynumber[bpnum]
  386.         if bp:
  387.             bp.cond = cond
  388.             if not cond:
  389.                 print 'Breakpoint', bpnum,
  390.                 print 'is now unconditional.'
  391.  
  392.     def do_ignore(self,arg):
  393.         """arg is bp number followed by ignore count."""
  394.         args = string.split(arg)
  395.         bpnum = int(string.strip(args[0]))
  396.         try:
  397.             count = int(string.strip(args[1]))
  398.         except:
  399.             count = 0
  400.         bp = bdb.Breakpoint.bpbynumber[bpnum]
  401.         if bp:
  402.             bp.ignore = count
  403.             if (count > 0):
  404.                 reply = 'Will ignore next '
  405.                 if (count > 1):
  406.                     reply = reply + '%d crossings' % count
  407.                 else:
  408.                     reply = reply + '1 crossing'
  409.                 print reply + ' of breakpoint %d.' % bpnum
  410.             else:
  411.                 print 'Will stop next time breakpoint',
  412.                 print bpnum, 'is reached.'
  413.  
  414.     def do_clear(self, arg):
  415.         """Three possibilities, tried in this order:
  416.         clear -> clear all breaks, ask for confirmation
  417.         clear file:lineno -> clear all breaks at file:lineno
  418.         clear bpno bpno ... -> clear breakpoints by number"""
  419.         if not arg:
  420.             try:
  421.                 reply = raw_input('Clear all breaks? ')
  422.             except EOFError:
  423.                 reply = 'no'
  424.             reply = string.lower(string.strip(reply))
  425.             if reply in ('y', 'yes'):
  426.                 self.clear_all_breaks()
  427.             return
  428.         if ':' in arg:
  429.             # Make sure it works for "clear C:\foo\bar.py:12"
  430.             i = string.rfind(arg, ':')
  431.             filename = arg[:i]
  432.             arg = arg[i+1:]
  433.             try:
  434.                 lineno = int(arg)
  435.             except:
  436.                 err = "Invalid line number (%s)" % arg
  437.             else:
  438.                 err = self.clear_break(filename, lineno)
  439.             if err: print '***', err
  440.             return
  441.         numberlist = string.split(arg)
  442.         for i in numberlist:
  443.             err = self.clear_bpbynumber(i)
  444.             if err:
  445.                 print '***', err
  446.             else:
  447.                 print 'Deleted breakpoint %s ' % (i,)
  448.     do_cl = do_clear # 'c' is already an abbreviation for 'continue'
  449.     
  450.     def do_where(self, arg):
  451.         self.print_stack_trace()
  452.     do_w = do_where
  453.     
  454.     def do_up(self, arg):
  455.         if self.curindex == 0:
  456.             print '*** Oldest frame'
  457.         else:
  458.             self.curindex = self.curindex - 1
  459.             self.curframe = self.stack[self.curindex][0]
  460.             self.print_stack_entry(self.stack[self.curindex])
  461.             self.lineno = None
  462.     do_u = do_up
  463.     
  464.     def do_down(self, arg):
  465.         if self.curindex + 1 == len(self.stack):
  466.             print '*** Newest frame'
  467.         else:
  468.             self.curindex = self.curindex + 1
  469.             self.curframe = self.stack[self.curindex][0]
  470.             self.print_stack_entry(self.stack[self.curindex])
  471.             self.lineno = None
  472.     do_d = do_down
  473.     
  474.     def do_step(self, arg):
  475.         self.set_step()
  476.         return 1
  477.     do_s = do_step
  478.     
  479.     def do_next(self, arg):
  480.         self.set_next(self.curframe)
  481.         return 1
  482.     do_n = do_next
  483.     
  484.     def do_return(self, arg):
  485.         self.set_return(self.curframe)
  486.         return 1
  487.     do_r = do_return
  488.     
  489.     def do_continue(self, arg):
  490.         self.set_continue()
  491.         return 1
  492.     do_c = do_cont = do_continue
  493.     
  494.     def do_quit(self, arg):
  495.         self.set_quit()
  496.         return 1
  497.     do_q = do_quit
  498.     
  499.     def do_args(self, arg):
  500.         f = self.curframe
  501.         co = f.f_code
  502.         dict = f.f_locals
  503.         n = co.co_argcount
  504.         if co.co_flags & 4: n = n+1
  505.         if co.co_flags & 8: n = n+1
  506.         for i in range(n):
  507.             name = co.co_varnames[i]
  508.             print name, '=',
  509.             if dict.has_key(name): print dict[name]
  510.             else: print "*** undefined ***"
  511.     do_a = do_args
  512.     
  513.     def do_retval(self, arg):
  514.         if self.curframe.f_locals.has_key('__return__'):
  515.             print self.curframe.f_locals['__return__']
  516.         else:
  517.             print '*** Not yet returned!'
  518.     do_rv = do_retval
  519.     
  520.     def do_p(self, arg):
  521.         try:
  522.             value = eval(arg, self.curframe.f_globals,
  523.                     self.curframe.f_locals)
  524.         except:
  525.             t, v = sys.exc_info()[:2]
  526.             if type(t) == type(''):
  527.                 exc_type_name = t
  528.             else: exc_type_name = t.__name__
  529.             print '***', exc_type_name + ':', `v`
  530.             return
  531.  
  532.         print `value`
  533.  
  534.     def do_list(self, arg):
  535.         self.lastcmd = 'list'
  536.         last = None
  537.         if arg:
  538.             try:
  539.                 x = eval(arg, {}, {})
  540.                 if type(x) == type(()):
  541.                     first, last = x
  542.                     first = int(first)
  543.                     last = int(last)
  544.                     if last < first:
  545.                         # Assume it's a count
  546.                         last = first + last
  547.                 else:
  548.                     first = max(1, int(x) - 5)
  549.             except:
  550.                 print '*** Error in argument:', `arg`
  551.                 return
  552.         elif self.lineno is None:
  553.             first = max(1, self.curframe.f_lineno - 5)
  554.         else:
  555.             first = self.lineno + 1
  556.         if last == None:
  557.             last = first + 10
  558.         filename = self.curframe.f_code.co_filename
  559.         breaklist = self.get_file_breaks(filename)
  560.         try:
  561.             for lineno in range(first, last+1):
  562.                 line = linecache.getline(filename, lineno)
  563.                 if not line:
  564.                     print '[EOF]'
  565.                     break
  566.                 else:
  567.                     s = string.rjust(`lineno`, 3)
  568.                     if len(s) < 4: s = s + ' '
  569.                     if lineno in breaklist: s = s + 'B'
  570.                     else: s = s + ' '
  571.                     if lineno == self.curframe.f_lineno:
  572.                         s = s + '->'
  573.                     print s + '\t' + line,
  574.                     self.lineno = lineno
  575.         except KeyboardInterrupt:
  576.             pass
  577.     do_l = do_list
  578.  
  579.     def do_whatis(self, arg):
  580.         try:
  581.             value = eval(arg, self.curframe.f_globals,
  582.                     self.curframe.f_locals)
  583.         except:
  584.             t, v = sys.exc_info()[:2]
  585.             if type(t) == type(''):
  586.                 exc_type_name = t
  587.             else: exc_type_name = t.__name__
  588.             print '***', exc_type_name + ':', `v`
  589.             return
  590.         code = None
  591.         # Is it a function?
  592.         try: code = value.func_code
  593.         except: pass
  594.         if code:
  595.             print 'Function', code.co_name
  596.             return
  597.         # Is it an instance method?
  598.         try: code = value.im_func.func_code
  599.         except: pass
  600.         if code:
  601.             print 'Method', code.co_name
  602.             return
  603.         # None of the above...
  604.         print type(value)
  605.  
  606.     def do_alias(self, arg):
  607.         args = string.split (arg)
  608.         if len(args) == 0:
  609.             keys = self.aliases.keys()
  610.             keys.sort()
  611.             for alias in keys:
  612.                 print "%s = %s" % (alias, self.aliases[alias])
  613.             return
  614.         if self.aliases.has_key(args[0]) and len (args) == 1:
  615.             print "%s = %s" % (args[0], self.aliases[args[0]])
  616.         else:
  617.             self.aliases[args[0]] = string.join(args[1:], ' ')
  618.  
  619.     def do_unalias(self, arg):
  620.         args = string.split (arg)
  621.         if len(args) == 0: return
  622.         if self.aliases.has_key(args[0]):
  623.             del self.aliases[args[0]]
  624.  
  625.     # Print a traceback starting at the top stack frame.
  626.     # The most recently entered frame is printed last;
  627.     # this is different from dbx and gdb, but consistent with
  628.     # the Python interpreter's stack trace.
  629.     # It is also consistent with the up/down commands (which are
  630.     # compatible with dbx and gdb: up moves towards 'main()'
  631.     # and down moves towards the most recent stack frame).
  632.     
  633.     def print_stack_trace(self):
  634.         try:
  635.             for frame_lineno in self.stack:
  636.                 self.print_stack_entry(frame_lineno)
  637.         except KeyboardInterrupt:
  638.             pass
  639.     
  640.     def print_stack_entry(self, frame_lineno, prompt_prefix=line_prefix):
  641.         frame, lineno = frame_lineno
  642.         if frame is self.curframe:
  643.             print '>',
  644.         else:
  645.             print ' ',
  646.         print self.format_stack_entry(frame_lineno, prompt_prefix)
  647.  
  648.  
  649.     # Help methods (derived from pdb.doc)
  650.  
  651.     def help_help(self):
  652.         self.help_h()
  653.  
  654.     def help_h(self):
  655.         print """h(elp)
  656.     Without argument, print the list of available commands.
  657.     With a command name as argument, print help about that command
  658.     "help pdb" pipes the full documentation file to the $PAGER
  659.     "help exec" gives help on the ! command"""
  660.  
  661.     def help_where(self):
  662.         self.help_w()
  663.  
  664.     def help_w(self):
  665.         print """w(here)
  666.     Print a stack trace, with the most recent frame at the bottom.
  667.     An arrow indicates the "current frame", which determines the
  668.     context of most commands."""
  669.  
  670.     def help_down(self):
  671.         self.help_d()
  672.  
  673.     def help_d(self):
  674.         print """d(own)
  675.     Move the current frame one level down in the stack trace
  676.     (to an older frame)."""
  677.  
  678.     def help_up(self):
  679.         self.help_u()
  680.  
  681.     def help_u(self):
  682.         print """u(p)
  683.     Move the current frame one level up in the stack trace
  684.     (to a newer frame)."""
  685.  
  686.     def help_break(self):
  687.         self.help_b()
  688.  
  689.     def help_b(self):
  690.         print """b(reak) ([file:]lineno | function) [, condition]
  691.     With a line number argument, set a break there in the current
  692.     file.  With a function name, set a break at first executable line
  693.     of that function.  Without argument, list all breaks.  If a second
  694.     argument is present, it is a string specifying an expression
  695.     which must evaluate to true before the breakpoint is honored.
  696.  
  697.     The line number may be prefixed with a filename and a colon,
  698.     to specify a breakpoint in another file (probably one that
  699.     hasn't been loaded yet).  The file is searched for on sys.path;
  700.     the .py suffix may be omitted."""
  701.  
  702.     def help_clear(self):
  703.         self.help_cl()
  704.  
  705.     def help_cl(self):
  706.         print "cl(ear) filename:lineno"
  707.         print """cl(ear) [bpnumber [bpnumber...]]
  708.     With a space separated list of breakpoint numbers, clear
  709.     those breakpoints.  Without argument, clear all breaks (but
  710.     first ask confirmation).  With a filename:lineno argument,
  711.     clear all breaks at that line in that file.
  712.  
  713.     Note that the argument is different from previous versions of
  714.     the debugger (in python distributions 1.5.1 and before) where
  715.     a linenumber was used instead of either filename:lineno or
  716.     breakpoint numbers."""
  717.  
  718.     def help_tbreak(self):
  719.         print """tbreak  same arguments as break, but breakpoint is
  720.     removed when first hit."""
  721.  
  722.     def help_enable(self):
  723.         print """enable bpnumber [bpnumber ...]
  724.     Enables the breakpoints given as a space separated list of
  725.     bp numbers."""
  726.  
  727.     def help_disable(self):
  728.         print """disable bpnumber [bpnumber ...]
  729.     Disables the breakpoints given as a space separated list of
  730.     bp numbers."""
  731.  
  732.     def help_ignore(self):
  733.         print """ignore bpnumber count
  734.     Sets the ignore count for the given breakpoint number.  A breakpoint
  735.     becomes active when the ignore count is zero.  When non-zero, the
  736.     count is decremented each time the breakpoint is reached and the
  737.     breakpoint is not disabled and any associated condition evaluates
  738.     to true."""
  739.  
  740.     def help_condition(self):
  741.         print """condition bpnumber str_condition
  742.     str_condition is a string specifying an expression which
  743.     must evaluate to true before the breakpoint is honored.
  744.     If str_condition is absent, any existing condition is removed;
  745.     i.e., the breakpoint is made unconditional."""
  746.  
  747.     def help_step(self):
  748.         self.help_s()
  749.  
  750.     def help_s(self):
  751.         print """s(tep)
  752.     Execute the current line, stop at the first possible occasion
  753.     (either in a function that is called or in the current function)."""
  754.  
  755.     def help_next(self):
  756.         self.help_n()
  757.  
  758.     def help_n(self):
  759.         print """n(ext)
  760.     Continue execution until the next line in the current function
  761.     is reached or it returns."""
  762.  
  763.     def help_return(self):
  764.         self.help_r()
  765.  
  766.     def help_r(self):
  767.         print """r(eturn)
  768.     Continue execution until the current function returns."""
  769.  
  770.     def help_continue(self):
  771.         self.help_c()
  772.  
  773.     def help_cont(self):
  774.         self.help_c()
  775.  
  776.     def help_c(self):
  777.         print """c(ont(inue))
  778.     Continue execution, only stop when a breakpoint is encountered."""
  779.  
  780.     def help_list(self):
  781.         self.help_l()
  782.  
  783.     def help_l(self):
  784.         print """l(ist) [first [,last]]
  785.     List source code for the current file.
  786.     Without arguments, list 11 lines around the current line
  787.     or continue the previous listing.
  788.     With one argument, list 11 lines starting at that line.
  789.     With two arguments, list the given range;
  790.     if the second argument is less than the first, it is a count."""
  791.  
  792.     def help_args(self):
  793.         self.help_a()
  794.  
  795.     def help_a(self):
  796.         print """a(rgs)
  797.     Print the arguments of the current function."""
  798.  
  799.     def help_p(self):
  800.         print """p expression
  801.     Print the value of the expression."""
  802.  
  803.     def help_exec(self):
  804.         print """(!) statement
  805.     Execute the (one-line) statement in the context of
  806.     the current stack frame.
  807.     The exclamation point can be omitted unless the first word
  808.     of the statement resembles a debugger command.
  809.     To assign to a global variable you must always prefix the
  810.     command with a 'global' command, e.g.:
  811.     (Pdb) global list_options; list_options = ['-l']
  812.     (Pdb)"""
  813.  
  814.     def help_quit(self):
  815.         self.help_q()
  816.  
  817.     def help_q(self):
  818.         print """q(uit)    Quit from the debugger.
  819.     The program being executed is aborted."""
  820.  
  821.     def help_whatis(self):
  822.         print """whatis arg
  823.     Prints the type of the argument."""
  824.  
  825.     def help_EOF(self):
  826.         print """EOF
  827.     Handles the receipt of EOF as a command."""
  828.  
  829.     def help_alias(self):
  830.         print """alias [name [command [parameter parameter ...] ]]
  831.     Creates an alias called 'name' the executes 'command'.  The command
  832.     must *not* be enclosed in quotes.  Replaceable parameters are
  833.     indicated by %1, %2, and so on, while %* is replaced by all the 
  834.     parameters.  If no command is given, the current alias for name
  835.     is shown. If no name is given, all aliases are listed.
  836.     
  837.     Aliases may be nested and can contain anything that can be
  838.     legally typed at the pdb prompt.  Note!  You *can* override
  839.     internal pdb commands with aliases!  Those internal commands
  840.     are then hidden until the alias is removed.  Aliasing is recursively
  841.     applied to the first word of the command line; all other words
  842.     in the line are left alone.
  843.  
  844.     Some useful aliases (especially when placed in the .pdbrc file) are:
  845.  
  846.     #Print instance variables (usage "pi classInst")
  847.     alias pi for k in %1.__dict__.keys(): print "%1.",k,"=",%1.__dict__[k]
  848.  
  849.     #Print instance variables in self
  850.     alias ps pi self
  851.     """
  852.  
  853.     def help_unalias(self):
  854.         print """unalias name
  855.     Deletes the specified alias."""
  856.  
  857.     def help_pdb(self):
  858.         help()
  859.  
  860.     def lookupmodule(self, filename):
  861.         """Helper function for break/clear parsing -- may be overridden."""
  862.         root, ext = os.path.splitext(filename)
  863.         if ext == '':
  864.             filename = filename + '.py'
  865.         if os.path.isabs(filename):
  866.             return filename
  867.         for dirname in sys.path:
  868.             while os.path.islink(dirname):
  869.                 dirname = os.readlink(dirname)
  870.             fullname = os.path.join(dirname, filename)
  871.             if os.path.exists(fullname):
  872.                 return fullname
  873.         return None
  874.  
  875. # Simplified interface
  876.  
  877. def run(statement, globals=None, locals=None):
  878.     Pdb().run(statement, globals, locals)
  879.  
  880. def runeval(expression, globals=None, locals=None):
  881.     return Pdb().runeval(expression, globals, locals)
  882.  
  883. def runctx(statement, globals, locals):
  884.     # B/W compatibility
  885.     run(statement, globals, locals)
  886.  
  887. def runcall(*args):
  888.     return apply(Pdb().runcall, args)
  889.  
  890. def set_trace():
  891.     Pdb().set_trace()
  892.  
  893. # Post-Mortem interface
  894.  
  895. def post_mortem(t):
  896.     p = Pdb()
  897.     p.reset()
  898.     while t.tb_next <> None: t = t.tb_next
  899.     p.interaction(t.tb_frame, t)
  900.  
  901. def pm():
  902.     post_mortem(sys.last_traceback)
  903.  
  904.  
  905. # Main program for testing
  906.  
  907. TESTCMD = 'import x; x.main()'
  908.  
  909. def test():
  910.     run(TESTCMD)
  911.  
  912. # print help
  913. def help():
  914.     for dirname in sys.path:
  915.         fullname = os.path.join(dirname, 'pdb.doc')
  916.         if os.path.exists(fullname):
  917.             sts = os.system('${PAGER-more} '+fullname)
  918.             if sts: print '*** Pager exit status:', sts
  919.             break
  920.     else:
  921.         print 'Sorry, can\'t find the help file "pdb.doc"',
  922.         print 'along the Python search path'
  923.  
  924. mainmodule = ''
  925. mainpyfile = ''
  926.  
  927. # When invoked as main program, invoke the debugger on a script
  928. if __name__=='__main__':
  929.     if not sys.argv[1:]:
  930.         print "usage: pdb.py scriptfile [arg] ..."
  931.         sys.exit(2)
  932.  
  933.     mainpyfile = filename = sys.argv[1]    # Get script filename
  934.     if not os.path.exists(filename):
  935.         print 'Error:', `filename`, 'does not exist'
  936.         sys.exit(1)
  937.     mainmodule = os.path.basename(filename)
  938.     del sys.argv[0]        # Hide "pdb.py" from argument list
  939.  
  940.     # Insert script directory in front of module search path
  941.     sys.path.insert(0, os.path.dirname(filename))
  942.  
  943.     run('execfile(' + `filename` + ')')
  944.