我必须将用C编写的程序与Python中的其他程序(Linux os)连接起来。第一个应该每隔几秒发送一个特定的字符串,并且必须由Python程序接收才能执行某项任务。
有任何建议或示例吗?
此致 全型
答案 0 :(得分:0)
这是一个输出字符串的C程序(send_string.c
)" Hello":
#include <stdio.h>
int main()
{
printf("Hello");
return 0;
}
这是一个Python程序(receive_string.py
),它接收来自standard input的字符串并执行任务(在这种情况下,它打印出字符串):
import sys
input = sys.stdin.read()
print input
编译C程序后,可以使用pipeline:
连接Linux中的程序./send_string | python receive_string.py
如果你想重复这样做,比如每5秒钟一次,你可以使用while
和sleep
命令:
while true; do ./send_string | python receive_string.py; sleep 5; done
要停止循环,请按Ctrl + C.如果您知道执行循环的次数,则可以使用for
循环。
答案 1 :(得分:0)
在这里,我发现并修改了here
的一个不错的选择它使用zeromq库的客户端 - 服务器结构。 Zeromq在任何平台上以任何语言连接您的代码,通过inproc,IPC,TCP,TIPC,多播和其他东西传输消息。
服务器:
/* original Time Server - Modified: zeromq_1.c
Author - Samitha Ransara
www.mycola.info
Comp: gcc -Wall -g zeromq_1.c -lzmq -o zeromq_1
*/
#include <zmq.h>
#include <stdio.h>
#include <time.h>
#include <unistd.h>
#include <assert.h>
int main (void)
{
printf ("Sockets initializing\r\n");
// Socket to talk to clients
void *context = zmq_ctx_new ();
void *responder = zmq_socket (context, ZMQ_REP);
int rc = zmq_bind (responder, "tcp://127.0.0.1:5555");
assert (rc == 0);
char tmpbuf[128];
char buffer [10];
int i=0;
while(i<6)
{
snprintf(tmpbuf, sizeof(tmpbuf), "Mensaje Nro %i\n",i);
zmq_recv (responder, buffer, 10, 0);
printf ("Request Recieved\r\n");
//zmq_send (responder, tmpbuf, 8, 0);
zmq_send (responder, tmpbuf, 16, 0);
printf ("Responded with %s\r\n",tmpbuf);
i++;
}
return 0;
}
这里是Python客户端:
# PYzeromq_1.py
#
from __future__ import print_function
import zmq,time,sys
def main():
print("Connecting to Data Service…")
sys.stdout.flush()
context = zmq.Context()
# Socket to talk to server
socket = context.socket(zmq.REQ)
socket.connect("tcp://127.0.0.1:5555")
print("Connected....")
while(True):
#print("\r\nSending request …")
socket.send("Requesting... ")
# Get the reply.
message = socket.recv()
#print("Time %s" % message, end='\r')
print(message)
time.sleep(1)
return 0
if __name__ == '__main__':
main()