I have a C++ executable which has the following lines of code in it
/* Do some calculations */
.
.
for (int i=0; i<someNumber; i++){
int inputData;
std::cin >> inputData;
std::cout<<"The data sent from Python is :: "<<inputData<<std::endl;
.
.
/* Do some more calculations with inputData */
}
and this is called in a loop. I want to call this executable in python subprocess like
p = Popen(['./executable'], shell=True, stdout=PIPE, stderr=PIPE, stdin=PIPE)
I could get the output from the executable using
p.server.stdout.read()
But I am not able to send data (integers) from python using
p.stdin.write(b'35')
Since cin
is called in a loop, the stdin.write
should also be called multiple times (in a loop). Is this above possible .. ?
Any hints and suggestion how I could do it ? Thanks in advance.
Here's minimalistic example of how to call a C++ executable from Python, and communicate with it from Python.
1) Note that you must add \n
when writing to input stream (i.e. stdin
) of the subprocess (just like you would hit Rtn
if running the program manually).
2) Also note the flushing of the streams, so that the receiving program doesn't get stuck waiting for the whole buffer to fill before printing the result.
3) And if running Python 3, be sure to convert the streaming value from string to bytes (see https://stackoverflow.com/a/5471351/1510289).
Python:
from subprocess import Popen, PIPE
p = Popen(['a.out'], shell=True, stdout=PIPE, stdin=PIPE)
for ii in range(10):
value = str(ii) + '\n'
#value = bytes(value, 'UTF-8') # Needed in Python 3.
p.stdin.write(value)
p.stdin.flush()
result = p.stdout.readline().strip()
print(result)
C++:
#include <iostream>
int main(){
for( int ii=0; ii<10; ++ii ){
int input;
std::cin >> input;
std::cout << input*2 << std::endl;
std::cout.flush();
}
}
Output of running Python:
0
2
4
6
8
10
12
14
16
18
If you love us? You can donate to us via Paypal or buy me a coffee so we can maintain and grow! Thank you!
Donate Us With