可以将文章内容翻译成中文,广告屏蔽插件可能会导致该功能失效(如失效,请关闭广告屏蔽插件后再试):
问题:
I am trying to work on a script that manipulates another script in Python, the script to be modified has structure like:
class SomethingRecord(Record):
description = 'This records something'
author = 'john smith'
I use ast
to locate the description
line number, and I use some code to change the original file with new description string base on the line number. So far so good.
Now the only issue is description
occasionally is a multi-line string, e.g.
description = ('line 1'
'line 2'
'line 3')
or
description = 'line 1' \
'line 2' \
'line 3'
and I only have the line number of the first line, not the following lines. So my one-line replacer would do
description = 'new value'
'line 2' \
'line 3'
and the code is broken. I figured that if I know both the lineno of start and end/number of lines of description
assignment I could repair my code to handle such situation. How do I get such information with Python standard library?
回答1:
I looked at the other answers; it appears people are doing backflips to get around the problems of computing line numbers, when your real problem is one of modifying the code. That suggests the baseline machinery is not helping you the way you really need.
If you use a program transformation system (PTS), you could avoid a lot of this nonsense.
A good PTS will parse your source code to an AST, and then let you apply source-level rewrite rules to modify the AST, and will finally convert the modified AST back into source text. Generically PTSes accept transformation rules of essentially this form:
if you see *this*, replace it by *that*
[A parser that builds an AST is NOT a PTS. They don't allow rules like this; you can write ad hoc code to hack at the tree, but that's usually pretty awkward. Not do they do the AST to source text regeneration.]
(My PTS, see bio, called) DMS is a PTS that could accomplish this. OP's specific example would be accomplished easily by using the following rewrite rule:
source domain Python; -- tell DMS the syntax of pattern left hand sides
target domain Python; -- tell DMS the syntax of pattern right hand sides
rule replace_description(e: expression): statement -> statement =
" description = \e "
->
" description = ('line 1'
'line 2'
'line 3')";
The one transformation rule is given an name replace_description to distinguish it from all the other rule we might define. The rule parameters (e: expression) indicate the pattern will allow an arbitrary expression as defined by the source language. statement->statement means the rule maps a statement in the source language, to a statement in the target language; we could use any other syntax category from the Python grammar provided to DMS. The " used here is a metaquote, used to distinguish the syntax of the rule language form the syntax of the subject language. The second -> separates the source pattern this from the target pattern that.
You'll notice that there is no need to mention line numbers. The PTS converts the rule surface syntax into corresponding ASTs by actually parsing the patterns with the same parser used to parse the source file. The ASTs produced for the patterns are used to effect the pattern match/replacement. Because this is driven from ASTs, the actual layout of the orginal code (spacing, linebreaks, comments) don't affect DMS's ability to match or replace. Comments aren't a problem for matching because they are attached to tree nodes rather than being tree nodes; they are preserved in the transformed program. DMS does capture line and precise column information for all tree elements; just not needed to implement transformations. Code layout is also preserved in the output by DMS, using that line/column information.
Other PTSes offer generally similar capabilities.
回答2:
As a workaround you can change:
description = 'line 1' \
'line 2' \
'line 3'
to:
description = 'new value'; tmp = 'line 1' \
'line 2' \
'line 3'
etc.
It is a simple change but indeed ugly code produced.
回答3:
Indeed, the information you need is not stored in the ast
. I don't know the details of what you need, but it looks like you could use the tokenize
module from the standard library. The idea is that every logical Python statement is ended by a NEWLINE
token (also it could be a semicolon, but as I understand it is not your case). I tested this approach with such file:
# first comment
class SomethingRecord:
description = ('line 1'
'line 2'
'line 3')
class SomethingRecord2:
description = ('line 1',
'line 2',
# comment in the middle
'line 3')
class SomethingRecord3:
description = 'line 1' \
'line 2' \
'line 3'
whatever = 'line'
class SomethingRecord3:
description = 'line 1', \
'line 2', \
'line 3'
# last comment
And here is what I propose to do:
import tokenize
from io import BytesIO
from collections import defaultdict
with tokenize.open('testmod.py') as f:
code = f.read()
enc = f.encoding
rl = BytesIO(code.encode(enc)).readline
tokens = list(tokenize.tokenize(rl))
token_table = defaultdict(list) # mapping line numbers to token numbers
for i, tok in enumerate(tokens):
token_table[tok.start[0]].append(i)
def find_end(start):
i = token_table[start][-1] # last token number on the start line
while tokens[i].exact_type != tokenize.NEWLINE:
i += 1
return tokens[i].start[0]
print(find_end(3))
print(find_end(8))
print(find_end(15))
print(find_end(21))
This prints out:
5
12
17
23
This seems to be correct, you could tune this approach depending on what exactly you need. tokenize
is more verbose than ast
but also more flexible. Of course the best approach is to use them both for different parts of your task.
EDIT: I tried this in Python 3.4, but I think it should also work in other versions.
回答4:
My solution takes a different path: When I had to change code in another file I opened the file, found the line and got all the next lines which had a deeper indent than the first and return the line number for the first line which isn't deeper.
I return None, None if I couldn't find the text I was looking for.
This is of course incomplete, but I think it's enough to get you through :)
def get_all_indented(text_lines, text_in_first_line):
first_line = None
indent = None
for line_num in range(len(text_lines)):
if indent is not None and first_line is not None:
if not text_lines[line_num].startswith(indent):
return first_line, line_num # First and last lines
if text_in_first_line in text_lines[line_num]:
first_line = line_num
indent = text_lines[line_num][:text_lines[line_num].index(text_in_first_line)] + ' ' # At least 1 more space.
return None, None
回答5:
There is a new asttokens
library that addresses this well: https://github.com/gristlabs/asttokens
import ast, asttokens
code = '''
class SomethingRecord(object):
desc1 = 'This records something'
desc2 = ('line 1'
'line 2'
'line 3')
desc3 = 'line 1' \
'line 2' \
'line 3'
author = 'john smith'
'''
atok = asttokens.ASTTokens(code, parse=True)
assign_values = [n.value for n in ast.walk(atok.tree) if isinstance(n, ast.Assign)]
replacements = [atok.get_text_range(n) + ("'new value'",) for n in assign_values]
print(asttokens.util.replace(atok.text, replacements))
produces
class SomethingRecord(object):
desc1 = 'new value'
desc2 = ('new value')
desc3 = 'new value'
author = 'new value'