##// END OF EJS Templates
Quick fix for #1688, traceback-unicode issue...
Quick fix for #1688, traceback-unicode issue By importing unicode_literals from __future__ and casting to unicode at two locations a simple case now works. However I have not audited the code to find other locations where casts may be necessary. No new failures were noted when running the testsuite.

File last commit:

r8299:660787db
r8299:660787db
Show More
PyColorize.py
310 lines | 9.5 KiB | text/x-python | PythonLexer
fperez
Reorganized the directory for ipython/ to have its own dir, which is a bit...
r0 # -*- coding: utf-8 -*-
"""
Fernando Perez
Remove svn-style $Id marks from docstrings and Release imports....
r1853 Class and program to colorize python source code for ANSI terminals.
fperez
Reorganized the directory for ipython/ to have its own dir, which is a bit...
r0
Fernando Perez
Remove svn-style $Id marks from docstrings and Release imports....
r1853 Based on an HTML code highlighter by Jurgen Hermann found at:
http://aspn.activestate.com/ASPN/Cookbook/Python/Recipe/52298
fperez
Reorganized the directory for ipython/ to have its own dir, which is a bit...
r0
Fernando Perez
Remove svn-style $Id marks from docstrings and Release imports....
r1853 Modifications by Fernando Perez (fperez@colorado.edu).
fperez
Reorganized the directory for ipython/ to have its own dir, which is a bit...
r0
Fernando Perez
Remove svn-style $Id marks from docstrings and Release imports....
r1853 Information on the original HTML highlighter follows:
fperez
Reorganized the directory for ipython/ to have its own dir, which is a bit...
r0
Fernando Perez
Remove svn-style $Id marks from docstrings and Release imports....
r1853 MoinMoin - Python Source Parser
fperez
Reorganized the directory for ipython/ to have its own dir, which is a bit...
r0
Fernando Perez
Remove svn-style $Id marks from docstrings and Release imports....
r1853 Title: Colorize Python source using the built-in tokenizer
fperez
Reorganized the directory for ipython/ to have its own dir, which is a bit...
r0
Fernando Perez
Remove svn-style $Id marks from docstrings and Release imports....
r1853 Submitter: Jurgen Hermann
Last Updated:2001/04/06
fperez
Reorganized the directory for ipython/ to have its own dir, which is a bit...
r0
Fernando Perez
Remove svn-style $Id marks from docstrings and Release imports....
r1853 Version no:1.2
fperez
Reorganized the directory for ipython/ to have its own dir, which is a bit...
r0
Fernando Perez
Remove svn-style $Id marks from docstrings and Release imports....
r1853 Description:
This code is part of MoinMoin (http://moin.sourceforge.net/) and converts
Python source code to HTML markup, rendering comments, keywords,
operators, numeric and string literals in different colors.
It shows how to use the built-in keyword, token and tokenize modules to
scan Python source code and re-emit it with no changes to its original
formatting (which is the hard part).
"""
Matthias BUSSONNIER
use print function in module with `print >>`
r7817 from __future__ import print_function
fperez
Reorganized the directory for ipython/ to have its own dir, which is a bit...
r0
Jörgen Stenarson
Quick fix for #1688, traceback-unicode issue...
r8299 from __future__ import unicode_literals
fperez
Reorganized the directory for ipython/ to have its own dir, which is a bit...
r0 __all__ = ['ANSICodeColors','Parser']
_scheme_default = 'Linux'
Matthias BUSSONNIER
use print function in module with `print >>`
r7817
fperez
Reorganized the directory for ipython/ to have its own dir, which is a bit...
r0 # Imports
MinRK
always use StringIO, never cStringIO...
r4794 import StringIO
fperez
Cosmetic cleanups: put all imports in a single line, and sort them...
r52 import keyword
import os
vivainio
Paul Mueller: switch pycolor to use optparse
r645 import optparse
fperez
Cosmetic cleanups: put all imports in a single line, and sort them...
r52 import sys
import token
import tokenize
fperez
Reorganized the directory for ipython/ to have its own dir, which is a bit...
r0
Thomas Kluyver
Fixes for UltraTB and PyColorize with Python 3
r4758 try:
generate_tokens = tokenize.generate_tokens
except AttributeError:
# Python 3. Note that we use the undocumented _tokenize because it expects
# strings, not bytes. See also Python issue #9969.
generate_tokens = tokenize._tokenize
Brian Granger
ColorANSI.py -> utils/coloransi.py and all imports updated.
r2010 from IPython.utils.coloransi import *
fperez
Reorganized the directory for ipython/ to have its own dir, which is a bit...
r0
#############################################################################
### Python Source Parser (does Hilighting)
#############################################################################
_KEYWORD = token.NT_OFFSET + 1
_TEXT = token.NT_OFFSET + 2
#****************************************************************************
# Builtin color schemes
Colors = TermColors # just a shorthand
# Build a few color schemes
NoColor = ColorScheme(
'NoColor',{
token.NUMBER : Colors.NoColor,
token.OP : Colors.NoColor,
token.STRING : Colors.NoColor,
tokenize.COMMENT : Colors.NoColor,
token.NAME : Colors.NoColor,
token.ERRORTOKEN : Colors.NoColor,
_KEYWORD : Colors.NoColor,
_TEXT : Colors.NoColor,
'normal' : Colors.NoColor # color off (usu. Colors.Normal)
} )
LinuxColors = ColorScheme(
'Linux',{
token.NUMBER : Colors.LightCyan,
token.OP : Colors.Yellow,
token.STRING : Colors.LightBlue,
tokenize.COMMENT : Colors.LightRed,
MinRK
use Colors.Normal for NAMEs in PyColorize...
r4243 token.NAME : Colors.Normal,
fperez
Reorganized the directory for ipython/ to have its own dir, which is a bit...
r0 token.ERRORTOKEN : Colors.Red,
_KEYWORD : Colors.LightGreen,
_TEXT : Colors.Yellow,
'normal' : Colors.Normal # color off (usu. Colors.Normal)
} )
LightBGColors = ColorScheme(
'LightBG',{
token.NUMBER : Colors.Cyan,
token.OP : Colors.Blue,
token.STRING : Colors.Blue,
tokenize.COMMENT : Colors.Red,
MinRK
use Colors.Normal for NAMEs in PyColorize...
r4243 token.NAME : Colors.Normal,
fperez
Reorganized the directory for ipython/ to have its own dir, which is a bit...
r0 token.ERRORTOKEN : Colors.Red,
_KEYWORD : Colors.Green,
_TEXT : Colors.Blue,
'normal' : Colors.Normal # color off (usu. Colors.Normal)
} )
# Build table of color schemes (needed by the parser)
ANSICodeColors = ColorSchemeTable([NoColor,LinuxColors,LightBGColors],
_scheme_default)
class Parser:
""" Format colored Python source.
"""
def __init__(self, color_table=None,out = sys.stdout):
""" Create a parser with a specified color table and output channel.
Call format() to process code.
"""
self.color_table = color_table and color_table or ANSICodeColors
self.out = out
def format(self, raw, out = None, scheme = ''):
fperez
- R. Bernstein's patches (minor reworks) to provide full syntax highlight in...
r553 return self.format2(raw, out, scheme)[0]
def format2(self, raw, out = None, scheme = ''):
fperez
Reorganized the directory for ipython/ to have its own dir, which is a bit...
r0 """ Parse and send the colored source.
If out and scheme are not specified, the defaults (given to
constructor) are used.
out should be a file-type object. Optionally, out can be given as the
string 'str' and the parser will automatically return the output in a
string."""
ernie french
remove code adding an extra newline
r6001
fperez
Reorganized the directory for ipython/ to have its own dir, which is a bit...
r0 string_output = 0
jdh2358
- Fix state handling bug in format(). Closes #146.
r622 if out == 'str' or self.out == 'str' or \
MinRK
always use StringIO, never cStringIO...
r4794 isinstance(self.out,StringIO.StringIO):
jdh2358
- Fix state handling bug in format(). Closes #146.
r622 # XXX - I don't really like this state handling logic, but at this
# point I don't want to make major changes, so adding the
# isinstance() check is the simplest I can do to ensure correct
# behavior.
fperez
Reorganized the directory for ipython/ to have its own dir, which is a bit...
r0 out_old = self.out
MinRK
always use StringIO, never cStringIO...
r4794 self.out = StringIO.StringIO()
fperez
Reorganized the directory for ipython/ to have its own dir, which is a bit...
r0 string_output = 1
elif out is not None:
self.out = out
fperez
- Close #131.
r588
# Fast return of the unmodified input for NoColor scheme
if scheme == 'NoColor':
error = False
self.out.write(raw)
if string_output:
return raw,error
else:
return None,error
ernie french
remove code adding an extra newline
r6001
fperez
- Close #131.
r588 # local shorthands
fperez
Reorganized the directory for ipython/ to have its own dir, which is a bit...
r0 colors = self.color_table[scheme].colors
self.colors = colors # put in object so __call__ sees it
fperez
- Close #131.
r588
# Remove trailing whitespace and normalize tabs
self.raw = raw.expandtabs().rstrip()
ernie french
remove code adding an extra newline
r6001
fperez
Reorganized the directory for ipython/ to have its own dir, which is a bit...
r0 # store line offsets in self.lines
self.lines = [0, 0]
pos = 0
jdh2358
- Final commits for 0.8.0 tag....
r595 raw_find = self.raw.find
fperez
- Close #131.
r588 lines_append = self.lines.append
fperez
Reorganized the directory for ipython/ to have its own dir, which is a bit...
r0 while 1:
fperez
- Close #131.
r588 pos = raw_find('\n', pos) + 1
fperez
Reorganized the directory for ipython/ to have its own dir, which is a bit...
r0 if not pos: break
fperez
- Close #131.
r588 lines_append(pos)
lines_append(len(self.raw))
fperez
Reorganized the directory for ipython/ to have its own dir, which is a bit...
r0
# parse the source and write it
self.pos = 0
MinRK
always use StringIO, never cStringIO...
r4794 text = StringIO.StringIO(self.raw)
fperez
- R. Bernstein's patches (minor reworks) to provide full syntax highlight in...
r553
error = False
fperez
Reorganized the directory for ipython/ to have its own dir, which is a bit...
r0 try:
Thomas Kluyver
Fix bugs in PyColorize
r4768 for atoken in generate_tokens(text.readline):
self(*atoken)
except tokenize.TokenError as ex:
msg = ex.args[0]
line = ex.args[1][0]
fperez
Reorganized the directory for ipython/ to have its own dir, which is a bit...
r0 self.out.write("%s\n\n*** ERROR: %s%s%s\n" %
(colors[token.ERRORTOKEN],
msg, self.raw[self.lines[line]:],
colors.normal)
)
fperez
- R. Bernstein's patches (minor reworks) to provide full syntax highlight in...
r553 error = True
fperez
Reorganized the directory for ipython/ to have its own dir, which is a bit...
r0 self.out.write(colors.normal+'\n')
if string_output:
output = self.out.getvalue()
self.out = out_old
fperez
- R. Bernstein's patches (minor reworks) to provide full syntax highlight in...
r553 return (output, error)
return (None, error)
fperez
Reorganized the directory for ipython/ to have its own dir, which is a bit...
r0
Matthias BUSSONNIER
apply tuple_param_fix
r7882 def __call__(self, toktype, toktext, start_pos, end_pos, line):
fperez
Reorganized the directory for ipython/ to have its own dir, which is a bit...
r0 """ Token handler, with syntax highlighting."""
Matthias BUSSONNIER
apply tuple_param_fix
r7882 (srow,scol) = start_pos
(erow,ecol) = end_pos
fperez
Reorganized the directory for ipython/ to have its own dir, which is a bit...
r0 colors = self.colors
fperez
- Close #131.
r588 owrite = self.out.write
fperez
Reorganized the directory for ipython/ to have its own dir, which is a bit...
r0
# line separator, so this works across platforms
linesep = os.linesep
# calculate new positions
oldpos = self.pos
newpos = self.lines[srow] + scol
self.pos = newpos + len(toktext)
# send the original whitespace, if needed
if newpos > oldpos:
fperez
- Close #131.
r588 owrite(self.raw[oldpos:newpos])
fperez
Reorganized the directory for ipython/ to have its own dir, which is a bit...
r0
# skip indenting tokens
if toktype in [token.INDENT, token.DEDENT]:
self.pos = newpos
return
# map token type to a color group
if token.LPAR <= toktype and toktype <= token.OP:
toktype = token.OP
elif toktype == token.NAME and keyword.iskeyword(toktext):
toktype = _KEYWORD
color = colors.get(toktype, colors[_TEXT])
#print '<%s>' % toktext, # dbg
# Triple quoted strings must be handled carefully so that backtracking
# in pagers works correctly. We need color terminators on _each_ line.
if linesep in toktext:
toktext = toktext.replace(linesep, '%s%s%s' %
(colors.normal,linesep,color))
# send text
fperez
- Close #131.
r588 owrite('%s%s%s' % (color,toktext,colors.normal))
ernie french
remove code adding an extra newline
r6001
vivainio
Paul Mueller: switch pycolor to use optparse
r645 def main(argv=None):
vivainio
Paul Mueller: pycolorize considers 'no arguments' as 'read data from stdin'"
r646 """Run as a command-line script: colorize a python file or stdin using ANSI
color escapes and print to stdout.
fperez
Reorganized the directory for ipython/ to have its own dir, which is a bit...
r0
vivainio
Paul Mueller: switch pycolor to use optparse
r645 Inputs:
fperez
Reorganized the directory for ipython/ to have its own dir, which is a bit...
r0
vivainio
Paul Mueller: switch pycolor to use optparse
r645 - argv(None): a list of strings like sys.argv[1:] giving the command-line
arguments. If None, use sys.argv[1:].
"""
fperez
Reorganized the directory for ipython/ to have its own dir, which is a bit...
r0
vivainio
Paul Mueller: pycolorize considers 'no arguments' as 'read data from stdin'"
r646 usage_msg = """%prog [options] [filename]
fperez
Reorganized the directory for ipython/ to have its own dir, which is a bit...
r0
vivainio
Paul Mueller: pycolorize considers 'no arguments' as 'read data from stdin'"
r646 Colorize a python file or stdin using ANSI color escapes and print to stdout.
If no filename is given, or if filename is -, read standard input."""
vivainio
Paul Mueller: switch pycolor to use optparse
r645
parser = optparse.OptionParser(usage=usage_msg)
newopt = parser.add_option
newopt('-s','--scheme',metavar='NAME',dest='scheme_name',action='store',
choices=['Linux','LightBG','NoColor'],default=_scheme_default,
help="give the color scheme to use. Currently only 'Linux'\
(default) and 'LightBG' and 'NoColor' are implemented (give without\
quotes)")
opts,args = parser.parse_args(argv)
vivainio
Paul Mueller: pycolorize considers 'no arguments' as 'read data from stdin'"
r646 if len(args) > 1:
parser.error("you must give at most one filename.")
if len(args) == 0:
fname = '-' # no filename given; setup to read from stdin
else:
fname = args[0]
if fname == '-':
stream = sys.stdin
else:
Thomas Spura
pycolor: Wrong filename given -> print error...
r3232 try:
Brandon Parsons
substitute open(...) for file(...)...
r6650 stream = open(fname)
Matthias BUSSONNIER
conform to pep 3110...
r7787 except IOError as msg:
Matthias BUSSONNIER
use print function in module with `print >>`
r7817 print(msg, file=sys.stderr)
Thomas Spura
pycolor: Wrong filename given -> print error...
r3232 sys.exit(1)
fperez
Reorganized the directory for ipython/ to have its own dir, which is a bit...
r0
parser = Parser()
vivainio
Paul Mueller: pycolorize considers 'no arguments' as 'read data from stdin'"
r646
# we need nested try blocks because pre-2.5 python doesn't support unified
# try-except-finally
fperez
Reorganized the directory for ipython/ to have its own dir, which is a bit...
r0 try:
vivainio
Paul Mueller: pycolorize considers 'no arguments' as 'read data from stdin'"
r646 try:
# write colorized version to stdout
parser.format(stream.read(),scheme=opts.scheme_name)
Matthias BUSSONNIER
conform to pep 3110...
r7787 except IOError as msg:
vivainio
Paul Mueller: pycolorize considers 'no arguments' as 'read data from stdin'"
r646 # if user reads through a pager and quits, don't print traceback
if msg.args != (32,'Broken pipe'):
raise
finally:
if stream is not sys.stdin:
stream.close() # in case a non-handled exception happened above
fperez
Reorganized the directory for ipython/ to have its own dir, which is a bit...
r0
if __name__ == "__main__":
main()