Home > Blockchain >  How to send keys to a python pdb shell from bash script?
How to send keys to a python pdb shell from bash script?

Time:01-10

I am trying to create a bash script that runs a python3 script with pdb trace set. As such, in my bash script I have the following lines:

python3 path/to/my_script.py
n

What I want to happen is for bash to run the python script, which will then open the python debugger. Then, the bash script will send the key 'n' to the pdb shell so that pdb executes the first line in the python script.

The script does not work as expected and bash waits until the python script has completed (or exited) to execute 'n' in the command line which just opens node.

I thought this might be a problem unique to pdb shells so I tried executing the following in bash:

python3
print("Hello")

However, again, we observe that the script creates a python3 shell and then waits for the shell to exit before executing print("Hello") in the terminal. I understand that I could use python3 -c for this case, but that does not address the case of passing commands to the pdb shell in the context of the running script.

Is there any way to send the 'n' command to the pdb shell that the python script generates?

CodePudding user response:

Your code will try to run two commands. First, it will run your python script, then it will try to run a command called n. Assuming your script needs you read from stdin you can do one of the following:

Use a herestring:

python3 path/to/my_script.py <<< "n"

Use a pipeline:

One example echo "n" | python3 path/to/my_script.py Echo is not the only command you can use. You can also use printf or even yes for this use case.

CodePudding user response:

You can use a coprocess to send and receive from pdb.

#! /bin/bash

send() {
    echo "$1" >&${PDB[1]}
}

recv() {
    IFS= read -r -u ${PDB[0]} line
    echo $line
}

coproc PDB { /path/to/my_script.py; }
send 'n'
recv
#...
send 'n'
recv
  • Related