Python Forum
python automation - Printable Version

+- Python Forum (https://python-forum.io)
+-- Forum: Python Coding (https://python-forum.io/forum-7.html)
+--- Forum: General Coding Help (https://python-forum.io/forum-8.html)
+--- Thread: python automation (/thread-32343.html)



python automation - newcode - Feb-04-2021

i have a python file which when run opens a new python shell of its own.then i need to run commands in the python shell.collect results ,parse it and conclude it is pass or fail.
how i can accomplish this.appreciate any help/guidance on this

thanks


RE: python automation - nilamo - Feb-04-2021

If the code is coming from an untrusted source (ie: anyone on the internet can send random python code for you to run), you should run that code in a way that won't jeopardize the system it's running on. Either within a docker container, a chroot jail, a virtual machine you can just restart after the code's run to undo whatever changes it made, etc.

As to how you'd actually run it, compile() is a builtin function that compiles a string into a code object/ast, which you can then pass to exec().

Just make sure you pass empty dicts to exec() for globals() and locals...
>>> code = '''
... for i in range(2):
...     code = 'print("new code")'
...     print(i)
... '''
>>> block = compile(code, '<string>', 'exec')
>>> block
<code object <module> at 0x000001C7A2AC4A80, file "<string>", line 2>
>>> code
'\nfor i in range(2):\n    code = \'print("new code")\'\n    print(i)\n'
>>> exec(block)
0
1
>>> code
'print("new code")'
>>> # !!! the code body was overwritten by the dynamic code
>>> code = '''
... for i in range(2):
...     code = 'print("new code")'
...     print(i)
... '''
>>> # for a little more protection, pass empty globals and locals
>>> exec(block, {}, {})
0
1
>>> code
'\nfor i in range(2):\n    code = \'print("new code")\'\n    print(i)\n'



RE: python automation - newcode - Feb-05-2021

Hi,

thanks for the reply
let me explain in a more clear way

I have a file abc.py.
From abc.py i run xyz.py file

abc.py:-
process = subprocess.Popen("python C:\\path\\xyz.py", stdout=subprocess.PIPE,
stderr=subprocess.PIPE, cwd="C:\\path")
outputfull = process.communicate()
output = outputfull[0]+outputfull[1]

the file xyz.py opens and runs in a python shell.
now from abc.py:- I need to send commands to python shell,collect the output of the command from python shell
How to do it please guide on this


RE: python automation - nilamo - Feb-05-2021

Let's say I have two files, spam.py and eggs.py.

Here's spam.py:
import sys

for line in sys.stdin:
    print(line.upper())
And here's eggs.py:
import subprocess

process = subprocess.Popen("python ./spam.py", stdout=subprocess.PIPE,
                           stderr=subprocess.PIPE, stdin=subprocess.PIPE)
output, errors = process.communicate(b'testing')
print(output)
Running eggs.py gives this output:
Output:
> python eggs.py b'TESTING\r\n'