본문 바로가기

JavaScript/Node.js

Node.js에서 Python 함수 호출하기 - spawn()

728x90

child_process.spawn()

이 메서드는 자식 프로세스를 비동기적으로 생성하는데 도움이 된다.

예제

두 개의 명령줄 인수를 이름과 성으로 받은 다음 표시하는 간단한 Python 스크립트를 만들어 보겠다. 나중에 Node.js 애플리케이션에서 해당 스크립트를 실행하고 브라우저 창에 출력을 표시한다.

Python script

import sys
# Takes first name and last name via command
# line arguments and then display them
print("Output from Python")
print("First name: " + sys.argv[1])
print("Last name: " + sys.argv[2])

# save the script as hello.py

Node JS server code

// import express JS module into app
// and creates its variable.
var express = require('express');
var app = express();

// Creates a server which runs on port 3000 and
// can be accessed through localhost:3000
app.listen(3000, function() {
	console.log('server running on port 3000');
} )

// Function callName() is executed whenever
// url is of the form localhost:3000/name
app.get('/name', callName);

function callName(req, res) {
	
	// Use child_process.spawn method from
	// child_process module and assign it
	// to variable spawn
	var spawn = require("child_process").spawn;
	
	// Parameters passed in spawn -
	// 1. type_of_script
	// 2. list containing Path of the script
	// and arguments for the script
	
	// E.g : http://localhost:3000/name?firstname=Mike&lastname=Will
	// so, first name = Mike and last name = Will
	var process = spawn('python',["./hello.py",
							req.query.firstname,
							req.query.lastname] );

	// Takes stdout data from script which executed
	// with arguments and send this data to res object
	process.stdout.on('data', function(data) {
		res.send(data.toString());
	} )
}

// save code as start.js

 

위 코드를 저장한 후, 아래와 같은 명령을 사용하여 소스 폴더에서 코드를 실행한다.

node start.js

아래 링크를 통해 애플리케이션에 접근한다.

localhost:3000/name?firstname="Enter first name"&lastname="Enter last name"

For e g. : localhost:3000/name?firstname=Ram&lastname=Sharma

 

[출처]
https://www.geeksforgeeks.org/run-python-script-node-js-using-child-process-spawn-method/
https://m.blog.naver.com/PostView.nhn?blogId=code2p&logNo=220760936910&proxyReferer=https:%2F%2Fwww.google.com%2F

728x90

'JavaScript > Node.js' 카테고리의 다른 글

Logging 모듈 Winston  (0) 2023.05.03
url 모듈  (0) 2023.04.22
자식 프로세스(child_process)  (0) 2023.02.07
Node.js 기초와 모듈(내장 모듈, npm, 사용자정의 모듈)  (0) 2023.02.04
사용자 정의 모듈  (0) 2023.02.04