Skip to content
Advertisement

Convert python objects to python AST-nodes

I have a need to dump the modified python object back into source. So I try to find something to convert real python object to python ast.Node (to use later in astor lib to dump source)

Example of usage I want, Python 2:

JavaScript

Please help me to find that some_magic

Advertisement

Answer

There’s no way to do what you want, because that’s not how ASTs work. When the interpreter runs your code, it will generate an AST out of the source files, and interpret that AST to generate python objects. What happen to those objects once they’ve been generated has nothing to do with the AST.

It is however possible to get the AST of what generated the object in the first place. The module inspect lets you get the source code of some python objects:

JavaScript

But getsource() is aptly named. If I were to change the value of some variable (or any other object) in m, it wouldn’t change its source code.

Even if it was possible to regenerate an AST out of an object, there wouldn’t be a single solution some_magic() could return. Imagine I have a variable x in some module, that I reassign in another module:

JavaScript

Now, the value of m.x is 228, but there’s no way to know what kind of expression led to that value (well, without reading the AST of __main__.py but this would quickly get out of hand). Was it a mere literal? The result of a function call?

If you really have to get a new AST after modifying some value of a module, the best solution would be to transform the original AST by yourself. You can find where your identifier got its value, and replace the value of the assignment with whatever you want. For instance, in my small example x = 0 is represented by the following AST:

JavaScript

And to get the AST matching the reassignment I did in __main__.py, I would have to change the value of the above Assign node as the following:

JavaScript

If you’d like to go that way, I recommend you check Python’s documentation of the AST node transformer (ast.NodeTransformer), as well as this excellent manual that documents all the nodes you can meet in Python ASTs Green Tree Snakes – the missing Python AST docs.

User contributions licensed under: CC BY-SA
10 People found this is helpful
Advertisement