codeblocks.py
745 lines
| 27.6 KiB
| text/x-python
|
PythonLexer
r986 | # -*- coding: utf-8 -*- | |||
r2487 | # Copyright (C) 2011-2018 RhodeCode GmbH | |||
r986 | # | |||
# This program is free software: you can redistribute it and/or modify | ||||
# it under the terms of the GNU Affero General Public License, version 3 | ||||
# (only), as published by the Free Software Foundation. | ||||
# | ||||
# This program is distributed in the hope that it will be useful, | ||||
# but WITHOUT ANY WARRANTY; without even the implied warranty of | ||||
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the | ||||
# GNU General Public License for more details. | ||||
# | ||||
# You should have received a copy of the GNU Affero General Public License | ||||
# along with this program. If not, see <http://www.gnu.org/licenses/>. | ||||
# | ||||
# This program is dual-licensed. If you wish to learn more about the | ||||
# RhodeCode Enterprise Edition, including its added features, Support services, | ||||
# and proprietary license terms, please see https://rhodecode.com/licenses/ | ||||
r1025 | import logging | |||
r1030 | import difflib | |||
r986 | from itertools import groupby | |||
from pygments import lex | ||||
r1025 | from pygments.formatters.html import _get_ttype_class as pygment_token_class | |||
r2546 | from pygments.lexers.special import TextLexer, Token | |||
r1030 | from rhodecode.lib.helpers import ( | |||
r1591 | get_lexer_for_filenode, html_escape, get_custom_lexer) | |||
r2682 | from rhodecode.lib.utils2 import AttributeDict, StrictAttributeDict | |||
r1025 | from rhodecode.lib.vcs.nodes import FileNode | |||
Bartłomiej Wołyńczyk
|
r2685 | from rhodecode.lib.vcs.exceptions import VCSError, NodeDoesNotExistError | ||
r1030 | from rhodecode.lib.diff_match_patch import diff_match_patch | |||
from rhodecode.lib.diffs import LimitedDiffContainer | ||||
r1025 | from pygments.lexers import get_lexer_by_name | |||
plain_text_lexer = get_lexer_by_name( | ||||
'text', stripall=False, stripnl=False, ensurenl=False) | ||||
r2586 | log = logging.getLogger(__name__) | |||
r986 | ||||
r1025 | def filenode_as_lines_tokens(filenode, lexer=None): | |||
r1356 | org_lexer = lexer | |||
r1025 | lexer = lexer or get_lexer_for_filenode(filenode) | |||
r1356 | log.debug('Generating file node pygment tokens for %s, %s, org_lexer:%s', | |||
lexer, filenode, org_lexer) | ||||
r1030 | tokens = tokenize_string(filenode.content, lexer) | |||
r2546 | lines = split_token_stream(tokens) | |||
r1025 | rv = list(lines) | |||
return rv | ||||
def tokenize_string(content, lexer): | ||||
r986 | """ | |||
Use pygments to tokenize some content based on a lexer | ||||
ensuring all original new lines and whitespace is preserved | ||||
""" | ||||
lexer.stripall = False | ||||
lexer.stripnl = False | ||||
lexer.ensurenl = False | ||||
r2546 | ||||
if isinstance(lexer, TextLexer): | ||||
lexed = [(Token.Text, content)] | ||||
else: | ||||
lexed = lex(content, lexer) | ||||
for token_type, token_text in lexed: | ||||
r1025 | yield pygment_token_class(token_type), token_text | |||
r986 | ||||
r2546 | def split_token_stream(tokens): | |||
r986 | """ | |||
Take a list of (TokenType, text) tuples and split them by a string | ||||
r2546 | split_token_stream([(TEXT, 'some\ntext'), (TEXT, 'more\n')]) | |||
r1025 | [(TEXT, 'some'), (TEXT, 'text'), | |||
(TEXT, 'more'), (TEXT, 'text')] | ||||
r986 | """ | |||
buffer = [] | ||||
r1025 | for token_class, token_text in tokens: | |||
r2546 | parts = token_text.split('\n') | |||
r986 | for part in parts[:-1]: | |||
r1025 | buffer.append((token_class, part)) | |||
r986 | yield buffer | |||
buffer = [] | ||||
r1025 | buffer.append((token_class, parts[-1])) | |||
r986 | ||||
if buffer: | ||||
yield buffer | ||||
def filenode_as_annotated_lines_tokens(filenode): | ||||
""" | ||||
Take a file node and return a list of annotations => lines, if no annotation | ||||
is found, it will be None. | ||||
eg: | ||||
[ | ||||
(annotation1, [ | ||||
(1, line1_tokens_list), | ||||
(2, line2_tokens_list), | ||||
]), | ||||
(annotation2, [ | ||||
(3, line1_tokens_list), | ||||
]), | ||||
(None, [ | ||||
(4, line1_tokens_list), | ||||
]), | ||||
(annotation1, [ | ||||
(5, line1_tokens_list), | ||||
(6, line2_tokens_list), | ||||
]) | ||||
] | ||||
""" | ||||
r1412 | commit_cache = {} # cache commit_getter lookups | |||
r986 | ||||
def _get_annotation(commit_id, commit_getter): | ||||
if commit_id not in commit_cache: | ||||
commit_cache[commit_id] = commit_getter() | ||||
return commit_cache[commit_id] | ||||
annotation_lookup = { | ||||
line_no: _get_annotation(commit_id, commit_getter) | ||||
for line_no, commit_id, commit_getter, line_content | ||||
in filenode.annotate | ||||
} | ||||
annotations_lines = ((annotation_lookup.get(line_no), line_no, tokens) | ||||
for line_no, tokens | ||||
r1025 | in enumerate(filenode_as_lines_tokens(filenode), 1)) | |||
r986 | ||||
grouped_annotations_lines = groupby(annotations_lines, lambda x: x[0]) | ||||
for annotation, group in grouped_annotations_lines: | ||||
yield ( | ||||
annotation, [(line_no, tokens) | ||||
for (_, line_no, tokens) in group] | ||||
) | ||||
r1025 | ||||
def render_tokenstream(tokenstream): | ||||
result = [] | ||||
for token_class, token_ops_texts in rollup_tokenstream(tokenstream): | ||||
if token_class: | ||||
result.append(u'<span class="%s">' % token_class) | ||||
else: | ||||
result.append(u'<span>') | ||||
for op_tag, token_text in token_ops_texts: | ||||
if op_tag: | ||||
result.append(u'<%s>' % op_tag) | ||||
escaped_text = html_escape(token_text) | ||||
r1030 | ||||
# TODO: dan: investigate showing hidden characters like space/nl/tab | ||||
# escaped_text = escaped_text.replace(' ', '<sp> </sp>') | ||||
# escaped_text = escaped_text.replace('\n', '<nl>\n</nl>') | ||||
# escaped_text = escaped_text.replace('\t', '<tab>\t</tab>') | ||||
r1025 | ||||
result.append(escaped_text) | ||||
if op_tag: | ||||
result.append(u'</%s>' % op_tag) | ||||
result.append(u'</span>') | ||||
html = ''.join(result) | ||||
return html | ||||
def rollup_tokenstream(tokenstream): | ||||
""" | ||||
Group a token stream of the format: | ||||
('class', 'op', 'text') | ||||
or | ||||
('class', 'text') | ||||
into | ||||
[('class1', | ||||
[('op1', 'text'), | ||||
('op2', 'text')]), | ||||
('class2', | ||||
[('op3', 'text')])] | ||||
This is used to get the minimal tags necessary when | ||||
rendering to html eg for a token stream ie. | ||||
<span class="A"><ins>he</ins>llo</span> | ||||
vs | ||||
<span class="A"><ins>he</ins></span><span class="A">llo</span> | ||||
If a 2 tuple is passed in, the output op will be an empty string. | ||||
eg: | ||||
>>> rollup_tokenstream([('classA', '', 'h'), | ||||
('classA', 'del', 'ell'), | ||||
('classA', '', 'o'), | ||||
('classB', '', ' '), | ||||
('classA', '', 'the'), | ||||
('classA', '', 're'), | ||||
]) | ||||
[('classA', [('', 'h'), ('del', 'ell'), ('', 'o')], | ||||
('classB', [('', ' ')], | ||||
('classA', [('', 'there')]] | ||||
""" | ||||
if tokenstream and len(tokenstream[0]) == 2: | ||||
tokenstream = ((t[0], '', t[1]) for t in tokenstream) | ||||
result = [] | ||||
for token_class, op_list in groupby(tokenstream, lambda t: t[0]): | ||||
ops = [] | ||||
for token_op, token_text_list in groupby(op_list, lambda o: o[1]): | ||||
text_buffer = [] | ||||
for t_class, t_op, t_text in token_text_list: | ||||
text_buffer.append(t_text) | ||||
ops.append((token_op, ''.join(text_buffer))) | ||||
result.append((token_class, ops)) | ||||
return result | ||||
r1030 | ||||
def tokens_diff(old_tokens, new_tokens, use_diff_match_patch=True): | ||||
""" | ||||
Converts a list of (token_class, token_text) tuples to a list of | ||||
(token_class, token_op, token_text) tuples where token_op is one of | ||||
('ins', 'del', '') | ||||
:param old_tokens: list of (token_class, token_text) tuples of old line | ||||
:param new_tokens: list of (token_class, token_text) tuples of new line | ||||
:param use_diff_match_patch: boolean, will use google's diff match patch | ||||
library which has options to 'smooth' out the character by character | ||||
differences making nicer ins/del blocks | ||||
""" | ||||
old_tokens_result = [] | ||||
new_tokens_result = [] | ||||
similarity = difflib.SequenceMatcher(None, | ||||
''.join(token_text for token_class, token_text in old_tokens), | ||||
''.join(token_text for token_class, token_text in new_tokens) | ||||
).ratio() | ||||
if similarity < 0.6: # return, the blocks are too different | ||||
for token_class, token_text in old_tokens: | ||||
old_tokens_result.append((token_class, '', token_text)) | ||||
for token_class, token_text in new_tokens: | ||||
new_tokens_result.append((token_class, '', token_text)) | ||||
return old_tokens_result, new_tokens_result, similarity | ||||
token_sequence_matcher = difflib.SequenceMatcher(None, | ||||
[x[1] for x in old_tokens], | ||||
[x[1] for x in new_tokens]) | ||||
for tag, o1, o2, n1, n2 in token_sequence_matcher.get_opcodes(): | ||||
# check the differences by token block types first to give a more | ||||
# nicer "block" level replacement vs character diffs | ||||
if tag == 'equal': | ||||
for token_class, token_text in old_tokens[o1:o2]: | ||||
old_tokens_result.append((token_class, '', token_text)) | ||||
for token_class, token_text in new_tokens[n1:n2]: | ||||
new_tokens_result.append((token_class, '', token_text)) | ||||
elif tag == 'delete': | ||||
for token_class, token_text in old_tokens[o1:o2]: | ||||
old_tokens_result.append((token_class, 'del', token_text)) | ||||
elif tag == 'insert': | ||||
for token_class, token_text in new_tokens[n1:n2]: | ||||
new_tokens_result.append((token_class, 'ins', token_text)) | ||||
elif tag == 'replace': | ||||
# if same type token blocks must be replaced, do a diff on the | ||||
# characters in the token blocks to show individual changes | ||||
old_char_tokens = [] | ||||
new_char_tokens = [] | ||||
for token_class, token_text in old_tokens[o1:o2]: | ||||
for char in token_text: | ||||
old_char_tokens.append((token_class, char)) | ||||
for token_class, token_text in new_tokens[n1:n2]: | ||||
for char in token_text: | ||||
new_char_tokens.append((token_class, char)) | ||||
old_string = ''.join([token_text for | ||||
token_class, token_text in old_char_tokens]) | ||||
new_string = ''.join([token_text for | ||||
token_class, token_text in new_char_tokens]) | ||||
char_sequence = difflib.SequenceMatcher( | ||||
None, old_string, new_string) | ||||
copcodes = char_sequence.get_opcodes() | ||||
obuffer, nbuffer = [], [] | ||||
if use_diff_match_patch: | ||||
dmp = diff_match_patch() | ||||
dmp.Diff_EditCost = 11 # TODO: dan: extract this to a setting | ||||
reps = dmp.diff_main(old_string, new_string) | ||||
dmp.diff_cleanupEfficiency(reps) | ||||
a, b = 0, 0 | ||||
for op, rep in reps: | ||||
l = len(rep) | ||||
if op == 0: | ||||
for i, c in enumerate(rep): | ||||
obuffer.append((old_char_tokens[a+i][0], '', c)) | ||||
nbuffer.append((new_char_tokens[b+i][0], '', c)) | ||||
a += l | ||||
b += l | ||||
elif op == -1: | ||||
for i, c in enumerate(rep): | ||||
obuffer.append((old_char_tokens[a+i][0], 'del', c)) | ||||
a += l | ||||
elif op == 1: | ||||
for i, c in enumerate(rep): | ||||
nbuffer.append((new_char_tokens[b+i][0], 'ins', c)) | ||||
b += l | ||||
else: | ||||
for ctag, co1, co2, cn1, cn2 in copcodes: | ||||
if ctag == 'equal': | ||||
for token_class, token_text in old_char_tokens[co1:co2]: | ||||
obuffer.append((token_class, '', token_text)) | ||||
for token_class, token_text in new_char_tokens[cn1:cn2]: | ||||
nbuffer.append((token_class, '', token_text)) | ||||
elif ctag == 'delete': | ||||
for token_class, token_text in old_char_tokens[co1:co2]: | ||||
obuffer.append((token_class, 'del', token_text)) | ||||
elif ctag == 'insert': | ||||
for token_class, token_text in new_char_tokens[cn1:cn2]: | ||||
nbuffer.append((token_class, 'ins', token_text)) | ||||
elif ctag == 'replace': | ||||
for token_class, token_text in old_char_tokens[co1:co2]: | ||||
obuffer.append((token_class, 'del', token_text)) | ||||
for token_class, token_text in new_char_tokens[cn1:cn2]: | ||||
nbuffer.append((token_class, 'ins', token_text)) | ||||
old_tokens_result.extend(obuffer) | ||||
new_tokens_result.extend(nbuffer) | ||||
return old_tokens_result, new_tokens_result, similarity | ||||
Bartłomiej Wołyńczyk
|
r2685 | def diffset_node_getter(commit): | ||
def get_node(fname): | ||||
try: | ||||
return commit.get_node(fname) | ||||
except NodeDoesNotExistError: | ||||
return None | ||||
return get_node | ||||
r1030 | class DiffSet(object): | |||
""" | ||||
An object for parsing the diff result from diffs.DiffProcessor and | ||||
adding highlighting, side by side/unified renderings and line diffs | ||||
""" | ||||
HL_REAL = 'REAL' # highlights using original file, slow | ||||
HL_FAST = 'FAST' # highlights using just the line, fast but not correct | ||||
# in the case of multiline code | ||||
HL_NONE = 'NONE' # no highlighting, fastest | ||||
r1142 | def __init__(self, highlight_mode=HL_REAL, repo_name=None, | |||
r1194 | source_repo_name=None, | |||
r1030 | source_node_getter=lambda filename: None, | |||
target_node_getter=lambda filename: None, | ||||
source_nodes=None, target_nodes=None, | ||||
max_file_size_limit=150 * 1024, # files over this size will | ||||
# use fast highlighting | ||||
r1143 | comments=None, | |||
r1030 | ): | |||
self.highlight_mode = highlight_mode | ||||
self.highlighted_filenodes = {} | ||||
self.source_node_getter = source_node_getter | ||||
self.target_node_getter = target_node_getter | ||||
self.source_nodes = source_nodes or {} | ||||
self.target_nodes = target_nodes or {} | ||||
r1142 | self.repo_name = repo_name | |||
r1194 | self.source_repo_name = source_repo_name or repo_name | |||
r1143 | self.comments = comments or {} | |||
r1258 | self.comments_store = self.comments.copy() | |||
r1030 | self.max_file_size_limit = max_file_size_limit | |||
def render_patchset(self, patchset, source_ref=None, target_ref=None): | ||||
diffset = AttributeDict(dict( | ||||
lines_added=0, | ||||
lines_deleted=0, | ||||
changed_files=0, | ||||
files=[], | ||||
r1368 | file_stats={}, | |||
r1030 | limited_diff=isinstance(patchset, LimitedDiffContainer), | |||
r1142 | repo_name=self.repo_name, | |||
r1194 | source_repo_name=self.source_repo_name, | |||
r1030 | source_ref=source_ref, | |||
target_ref=target_ref, | ||||
)) | ||||
for patch in patchset: | ||||
r1368 | diffset.file_stats[patch['filename']] = patch['stats'] | |||
r1030 | filediff = self.render_patch(patch) | |||
r2682 | filediff.diffset = StrictAttributeDict(dict( | |||
source_ref=diffset.source_ref, | ||||
target_ref=diffset.target_ref, | ||||
repo_name=diffset.repo_name, | ||||
source_repo_name=diffset.source_repo_name, | ||||
)) | ||||
r1030 | diffset.files.append(filediff) | |||
diffset.changed_files += 1 | ||||
if not patch['stats']['binary']: | ||||
diffset.lines_added += patch['stats']['added'] | ||||
diffset.lines_deleted += patch['stats']['deleted'] | ||||
return diffset | ||||
_lexer_cache = {} | ||||
r2249 | ||||
r1356 | def _get_lexer_for_filename(self, filename, filenode=None): | |||
r1030 | # cached because we might need to call it twice for source/target | |||
if filename not in self._lexer_cache: | ||||
r1356 | if filenode: | |||
lexer = filenode.lexer | ||||
r1591 | extension = filenode.extension | |||
r1356 | else: | |||
r1358 | lexer = FileNode.get_lexer(filename=filename) | |||
r1591 | extension = filename.split('.')[-1] | |||
lexer = get_custom_lexer(extension) or lexer | ||||
r1356 | self._lexer_cache[filename] = lexer | |||
r1030 | return self._lexer_cache[filename] | |||
def render_patch(self, patch): | ||||
log.debug('rendering diff for %r' % patch['filename']) | ||||
source_filename = patch['original_filename'] | ||||
target_filename = patch['filename'] | ||||
source_lexer = plain_text_lexer | ||||
target_lexer = plain_text_lexer | ||||
if not patch['stats']['binary']: | ||||
if self.highlight_mode == self.HL_REAL: | ||||
if (source_filename and patch['operation'] in ('D', 'M') | ||||
and source_filename not in self.source_nodes): | ||||
self.source_nodes[source_filename] = ( | ||||
self.source_node_getter(source_filename)) | ||||
if (target_filename and patch['operation'] in ('A', 'M') | ||||
and target_filename not in self.target_nodes): | ||||
self.target_nodes[target_filename] = ( | ||||
self.target_node_getter(target_filename)) | ||||
elif self.highlight_mode == self.HL_FAST: | ||||
source_lexer = self._get_lexer_for_filename(source_filename) | ||||
target_lexer = self._get_lexer_for_filename(target_filename) | ||||
source_file = self.source_nodes.get(source_filename, source_filename) | ||||
target_file = self.target_nodes.get(target_filename, target_filename) | ||||
source_filenode, target_filenode = None, None | ||||
# TODO: dan: FileNode.lexer works on the content of the file - which | ||||
# can be slow - issue #4289 explains a lexer clean up - which once | ||||
# done can allow caching a lexer for a filenode to avoid the file lookup | ||||
if isinstance(source_file, FileNode): | ||||
source_filenode = source_file | ||||
r1356 | #source_lexer = source_file.lexer | |||
source_lexer = self._get_lexer_for_filename(source_filename) | ||||
source_file.lexer = source_lexer | ||||
r1030 | if isinstance(target_file, FileNode): | |||
target_filenode = target_file | ||||
r1356 | #target_lexer = target_file.lexer | |||
target_lexer = self._get_lexer_for_filename(target_filename) | ||||
target_file.lexer = target_lexer | ||||
r1030 | ||||
source_file_path, target_file_path = None, None | ||||
if source_filename != '/dev/null': | ||||
source_file_path = source_filename | ||||
if target_filename != '/dev/null': | ||||
target_file_path = target_filename | ||||
source_file_type = source_lexer.name | ||||
target_file_type = target_lexer.name | ||||
filediff = AttributeDict({ | ||||
'source_file_path': source_file_path, | ||||
'target_file_path': target_file_path, | ||||
'source_filenode': source_filenode, | ||||
'target_filenode': target_filenode, | ||||
'source_file_type': target_file_type, | ||||
'target_file_type': source_file_type, | ||||
r1844 | 'patch': {'filename': patch['filename'], 'stats': patch['stats']}, | |||
'operation': patch['operation'], | ||||
r1030 | 'source_mode': patch['stats']['old_mode'], | |||
'target_mode': patch['stats']['new_mode'], | ||||
'limited_diff': isinstance(patch, LimitedDiffContainer), | ||||
r1844 | 'hunks': [], | |||
r1030 | 'diffset': self, | |||
}) | ||||
r1844 | for hunk in patch['chunks'][1:]: | |||
r1030 | hunkbit = self.parse_hunk(hunk, source_file, target_file) | |||
r1844 | hunkbit.source_file_path = source_file_path | |||
hunkbit.target_file_path = target_file_path | ||||
r1030 | filediff.hunks.append(hunkbit) | |||
r1258 | ||||
left_comments = {} | ||||
if source_file_path in self.comments_store: | ||||
for lineno, comments in self.comments_store[source_file_path].items(): | ||||
left_comments[lineno] = comments | ||||
if target_file_path in self.comments_store: | ||||
for lineno, comments in self.comments_store[target_file_path].items(): | ||||
left_comments[lineno] = comments | ||||
Bartłomiej Wołyńczyk
|
r2685 | |||
r2249 | # left comments are one that we couldn't place in diff lines. | |||
# could be outdated, or the diff changed and this line is no | ||||
# longer available | ||||
r1844 | filediff.left_comments = left_comments | |||
r1258 | ||||
r1030 | return filediff | |||
def parse_hunk(self, hunk, source_file, target_file): | ||||
result = AttributeDict(dict( | ||||
source_start=hunk['source_start'], | ||||
source_length=hunk['source_length'], | ||||
target_start=hunk['target_start'], | ||||
target_length=hunk['target_length'], | ||||
section_header=hunk['section_header'], | ||||
lines=[], | ||||
)) | ||||
before, after = [], [] | ||||
for line in hunk['lines']: | ||||
r1844 | ||||
r1030 | if line['action'] == 'unmod': | |||
result.lines.extend( | ||||
self.parse_lines(before, after, source_file, target_file)) | ||||
after.append(line) | ||||
before.append(line) | ||||
elif line['action'] == 'add': | ||||
after.append(line) | ||||
elif line['action'] == 'del': | ||||
before.append(line) | ||||
r1032 | elif line['action'] == 'old-no-nl': | |||
r1030 | before.append(line) | |||
r1032 | elif line['action'] == 'new-no-nl': | |||
r1030 | after.append(line) | |||
result.lines.extend( | ||||
self.parse_lines(before, after, source_file, target_file)) | ||||
Bartłomiej Wołyńczyk
|
r2685 | result.unified = list(self.as_unified(result.lines)) | ||
r1030 | result.sideside = result.lines | |||
r1258 | ||||
r1030 | return result | |||
def parse_lines(self, before_lines, after_lines, source_file, target_file): | ||||
# TODO: dan: investigate doing the diff comparison and fast highlighting | ||||
# on the entire before and after buffered block lines rather than by | ||||
# line, this means we can get better 'fast' highlighting if the context | ||||
# allows it - eg. | ||||
# line 4: """ | ||||
# line 5: this gets highlighted as a string | ||||
# line 6: """ | ||||
lines = [] | ||||
r2252 | ||||
before_newline = AttributeDict() | ||||
after_newline = AttributeDict() | ||||
if before_lines and before_lines[-1]['action'] == 'old-no-nl': | ||||
before_newline_line = before_lines.pop(-1) | ||||
before_newline.content = '\n {}'.format( | ||||
render_tokenstream( | ||||
[(x[0], '', x[1]) | ||||
for x in [('nonl', before_newline_line['line'])]])) | ||||
if after_lines and after_lines[-1]['action'] == 'new-no-nl': | ||||
after_newline_line = after_lines.pop(-1) | ||||
after_newline.content = '\n {}'.format( | ||||
render_tokenstream( | ||||
[(x[0], '', x[1]) | ||||
for x in [('nonl', after_newline_line['line'])]])) | ||||
r1030 | while before_lines or after_lines: | |||
before, after = None, None | ||||
before_tokens, after_tokens = None, None | ||||
if before_lines: | ||||
before = before_lines.pop(0) | ||||
if after_lines: | ||||
after = after_lines.pop(0) | ||||
original = AttributeDict() | ||||
modified = AttributeDict() | ||||
if before: | ||||
r1032 | if before['action'] == 'old-no-nl': | |||
before_tokens = [('nonl', before['line'])] | ||||
else: | ||||
before_tokens = self.get_line_tokens( | ||||
r1844 | line_text=before['line'], | |||
line_number=before['old_lineno'], | ||||
r1032 | file=source_file) | |||
r1030 | original.lineno = before['old_lineno'] | |||
original.content = before['line'] | ||||
original.action = self.action_to_op(before['action']) | ||||
Bartłomiej Wołyńczyk
|
r2685 | |||
original.get_comment_args = ( | ||||
source_file, 'o', before['old_lineno']) | ||||
r1030 | ||||
if after: | ||||
r1032 | if after['action'] == 'new-no-nl': | |||
after_tokens = [('nonl', after['line'])] | ||||
else: | ||||
after_tokens = self.get_line_tokens( | ||||
line_text=after['line'], line_number=after['new_lineno'], | ||||
file=target_file) | ||||
r1030 | modified.lineno = after['new_lineno'] | |||
modified.content = after['line'] | ||||
modified.action = self.action_to_op(after['action']) | ||||
Bartłomiej Wołyńczyk
|
r2685 | |||
modified.get_comment_args = ( | ||||
target_file, 'n', after['new_lineno']) | ||||
r1030 | ||||
# diff the lines | ||||
if before_tokens and after_tokens: | ||||
r1032 | o_tokens, m_tokens, similarity = tokens_diff( | |||
before_tokens, after_tokens) | ||||
r1030 | original.content = render_tokenstream(o_tokens) | |||
modified.content = render_tokenstream(m_tokens) | ||||
elif before_tokens: | ||||
original.content = render_tokenstream( | ||||
[(x[0], '', x[1]) for x in before_tokens]) | ||||
elif after_tokens: | ||||
modified.content = render_tokenstream( | ||||
[(x[0], '', x[1]) for x in after_tokens]) | ||||
r2252 | if not before_lines and before_newline: | |||
original.content += before_newline.content | ||||
before_newline = None | ||||
if not after_lines and after_newline: | ||||
modified.content += after_newline.content | ||||
after_newline = None | ||||
r1030 | lines.append(AttributeDict({ | |||
'original': original, | ||||
'modified': modified, | ||||
})) | ||||
return lines | ||||
def get_line_tokens(self, line_text, line_number, file=None): | ||||
filenode = None | ||||
filename = None | ||||
if isinstance(file, basestring): | ||||
filename = file | ||||
elif isinstance(file, FileNode): | ||||
filenode = file | ||||
filename = file.unicode_path | ||||
if self.highlight_mode == self.HL_REAL and filenode: | ||||
r1356 | lexer = self._get_lexer_for_filename(filename) | |||
file_size_allowed = file.size < self.max_file_size_limit | ||||
if line_number and file_size_allowed: | ||||
return self.get_tokenized_filenode_line( | ||||
file, line_number, lexer) | ||||
r1030 | ||||
if self.highlight_mode in (self.HL_REAL, self.HL_FAST) and filename: | ||||
lexer = self._get_lexer_for_filename(filename) | ||||
return list(tokenize_string(line_text, lexer)) | ||||
return list(tokenize_string(line_text, plain_text_lexer)) | ||||
r1356 | def get_tokenized_filenode_line(self, filenode, line_number, lexer=None): | |||
r1030 | ||||
if filenode not in self.highlighted_filenodes: | ||||
r1356 | tokenized_lines = filenode_as_lines_tokens(filenode, lexer) | |||
r1030 | self.highlighted_filenodes[filenode] = tokenized_lines | |||
return self.highlighted_filenodes[filenode][line_number - 1] | ||||
def action_to_op(self, action): | ||||
return { | ||||
'add': '+', | ||||
'del': '-', | ||||
'unmod': ' ', | ||||
r1032 | 'old-no-nl': ' ', | |||
'new-no-nl': ' ', | ||||
r1030 | }.get(action, action) | |||
def as_unified(self, lines): | ||||
r1258 | """ | |||
Return a generator that yields the lines of a diff in unified order | ||||
""" | ||||
r1030 | def generator(): | |||
buf = [] | ||||
for line in lines: | ||||
if buf and not line.original or line.original.action == ' ': | ||||
for b in buf: | ||||
yield b | ||||
buf = [] | ||||
if line.original: | ||||
if line.original.action == ' ': | ||||
yield (line.original.lineno, line.modified.lineno, | ||||
r1143 | line.original.action, line.original.content, | |||
Bartłomiej Wołyńczyk
|
r2685 | line.original.get_comment_args) | ||
r1030 | continue | |||
if line.original.action == '-': | ||||
yield (line.original.lineno, None, | ||||
r1143 | line.original.action, line.original.content, | |||
Bartłomiej Wołyńczyk
|
r2685 | line.original.get_comment_args) | ||
r1030 | ||||
if line.modified.action == '+': | ||||
buf.append(( | ||||
None, line.modified.lineno, | ||||
r1143 | line.modified.action, line.modified.content, | |||
Bartłomiej Wołyńczyk
|
r2685 | line.modified.get_comment_args)) | ||
r1030 | continue | |||
if line.modified: | ||||
yield (None, line.modified.lineno, | ||||
r1143 | line.modified.action, line.modified.content, | |||
Bartłomiej Wołyńczyk
|
r2685 | line.modified.get_comment_args) | ||
r1030 | ||||
for b in buf: | ||||
yield b | ||||
return generator() | ||||