Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

python: how to get the source from a code object? [duplicate]

let's suppose we have a python string(not a file,a string,no files)

TheString = "k=abs(x)+y"

ok? Now we compile the string into a piece of python bytecode

Binary = compile( TheString , "<string>" , "exec" )

now the problem: how can i get from Binary , supposing i don't know TheString , a string that represents the original string object?

shortly: what is the function that is opposite to compile() ?

like image 817
Alberto Perrella Avatar asked Mar 15 '13 12:03

Alberto Perrella


People also ask

How do you find the source code of an object in Python?

We use the getsource() method of inspect module to get the source code of the function. Returns the text of the source code for an object. The argument may be a module, class, method, function, traceback, frame, or code object.

How do you find the source of a page in Python?

Similarly, we can use the urllib Python library to fetch the HTML page source. This is rarely required, but you can append the target URL with “view-source” and load it in the browser window to load the source code and save it in manual testing.


1 Answers

Without the source code, you can only approximate the code. You can disassemble the compiled bytecode with the dis module, then reconstruct the source code as an approximation:

>>> import dis
>>> TheString = "k=abs(x)+y"
>>> Binary = compile( TheString , "<string>" , "exec" )
>>> dis.dis(Binary)
  1           0 LOAD_NAME                0 (abs)
              3 LOAD_NAME                1 (x)
              6 CALL_FUNCTION            1
              9 LOAD_NAME                2 (y)
             12 BINARY_ADD          
             13 STORE_NAME               3 (k)
             16 LOAD_CONST               0 (None)
             19 RETURN_VALUE        

From the disassembly we can see there was 1 line, where a function named abs() is being called with one argument named x. The result is added to another name y, and the result is stored in k.

Projects like uncompile6 (building on top of the work of many others) do just that; decompile the python bytecode and reconstruct Python code from that.

like image 121
Martijn Pieters Avatar answered Oct 01 '22 14:10

Martijn Pieters