[Python 인터넷] Using a Python HTTP Proxy Server to Simulate an API Gateway

Our software development team uses Azure API Management as an API Gateway. This API Gateway is responsible for forwarding requests to the appropriate backend service. It also applies various inbound and outbound policies, such as validating the presence of a well formed JWT, IP filtering, and attaching request/response headers.

When integration testing our API backends, we want to use a single base URL when making requests to the API. (This is as opposed to keeping track of which endpoints point to which backend in the API client itself.) We also want to ensure that any HTTP headers the API backend expects to have been provided through the API Gateway have been populated.

To achieve this, we wrote a pretty simple HTTP Proxy server in Python. Here, I’ll walk through creating and running a simplified version of our Python proxy server.

Creating an Initial Proxy Server

We will extend the BaseHTTPRequestHandler from http.server to create our HTTP Server as follows:

PYTHON
import requests
import signal
import sys
import urllib.parse
from http.server import BaseHTTPRequestHandler, HTTPServer

class ApiProxy:
    def start_server(self):
        class ProxyHTTPRequestHandler(BaseHTTPRequestHandler):
            protocol_version = "HTTP/1.0"

            def do_GET(self):
                self._handle_request("get", requests.get)

            def do_DELETE(self):
                self._handle_request("delete", requests.delete)

            def do_POST(self):
                self._handle_request("post", requests.post)

            def do_PUT(self):
                self._handle_request("put", requests.put)

            def do_PATCH(self):
                self._handle_request("patch", requests.patch)

            def _handle_request(self, method, requests_func):
                url = self._resolve_url()
                if (url is None):
                    print(f"Unable to resolve the URL {self.path}")
                    self.send_response(404)
                    self.send_header("Content-Type", "application/json")
                    self.end_headers()
                    return

                body = self.rfile.read(int(self.headers["content-length"]))
                headers = dict(self.headers)

                # Set any custom headers that would be provided through API Management inbound policies
                headers['Api-Version'] = 'v1'
                headers['Api-Path'] = '/internal'
		
                resp = requests_func(url, data=body, headers=headers)

                self.send_response(resp.status_code)
                for key in headers:
                    self.send_header(key, headers[key])
                self.end_headers()
                self.wfile.write(resp.content)

            def _resolve_url(self):
                return "resolved url goes here"

        server_address = ('', 8001)
        self.httpd = HTTPServer(server_address, ProxyHTTPRequestHandler)
        print('proxy server is running')
        self.httpd.serve_forever()


def exit_now(signum, frame):
    sys.exit(0)

if __name__ == '__main__':
    proxy = ApiProxy()
    signal.signal(signal.SIGTERM, exit_now)
    proxy.start_server()

Each HTTP method will point to a common request handler that sends the request to the appropriate backend URL and passes back the response.

The _handle_request function will also set additional custom request headers. In this example, we update the headers with API versions and path prefixes. You can use these, say, when constructing locations for created responses.

Mapping Routes

Next, we will implement the _resolve_url function to map requests to their appropriate backend API handlers. We use routes.mapper to group endpoints sharing a common backend together. In this simplified example, we have two services, “users” and “organizations”, so we add the following to the top of the file:

경축! 아무것도 안하여 에스천사게임즈가 새로운 모습으로 재오픈 하였습니다.
어린이용이며, 설치가 필요없는 브라우저 게임입니다.
https://s1004games.com

PYTHON
from routes import Mapper

map = Mapper()

def route(mapper, path_template):
    m.connect(None, path_template, action=path_template)

with map.submapper(controller="users") as m:
    route(m, "/users")
    route(m, "/users/{userId}")

with map.submapper(controller="organizations") as m:
    route(m, "/organizations")
    route(m, "/organizations/{organizationId}")

With our mapper set up, we can now implement _resolve_url.

PYTHON
            def _resolve_url(self):
                parts = urllib.parse.urlparse(self.path)

                path = parts.path
                match = map.match(path)

                if (match is None):
                    return None
		    
                service = match['controller']
                base_url = get_base_url_for_service(service)

                new_url = f"{base_url}{self.path}"

                return new_url

Note that the implementation of get_base_url_for_service will depend on how you are storing (env variables, hardcoded, etc.) the host names, ports, and any path prefixes.

Running the Server

We run our proxy server from Docker. Add the following simple Dockerfile:


FROM python:3.8-slim-buster

COPY ./requirements.txt /proxy/requirements.txt
RUN pip install -r /proxy/requirements.txt

COPY ./api_proxy.py /proxy/api_proxy.py

WORKDIR /proxy
CMD ["python3", "-u", "api_proxy.py"]

With that in place, we can add a new “proxy” service to our docker-compose.yaml, making sure to include each backend service as dependencies.

YAML
services:
  proxy:
    build:
      context: .
      dockerfile: Dockerfile
    depends_on:
      - users
      - organizations

Conclusion

Using a proxy server like this has helped our team confine request forwarding and transformation into a single place so that our API clients only have to worry about a single base URL. I hope this simple Python proxy server can act as a good starting point for wiring up some of the functionality that would ordinarily be provided through an API Gateway such as Azure’s API Management.

 

[출처] https://spin.atomicobject.com/2022/07/18/python-http-proxy-server/

본 웹사이트는 광고를 포함하고 있습니다.
광고 클릭에서 발생하는 수익금은 모두 웹사이트 서버의 유지 및 관리, 그리고 기술 콘텐츠 향상을 위해 쓰여집니다.
번호 제목 글쓴이 날짜 조회 수
» [Python 인터넷] Using a Python HTTP Proxy Server to Simulate an API Gateway file 졸리운_곰 2023.03.11 88
436 [python][Django] [개념] Django는 Web Server가 아니라구요!! file 졸리운_곰 2023.03.11 137
435 [python][Django] [Django] Django Rest Framework에서 request 로깅하기 졸리운_곰 2023.03.11 58
434 [python][Django] Django REST Framework 졸리운_곰 2023.03.10 85
433 [python][Django] Django의 기본 개념 file 졸리운_곰 2023.03.10 68
432 [Python 인터넷] Django REST API 서버 만들기 file 졸리운_곰 2023.03.09 101
431 [Python 인터넷] django REST framework로 간단한 api 만들기 file 졸리운_곰 2023.03.08 93
430 [Python 인터넷] Quickstart - Django REST framework 졸리운_곰 2023.03.08 92
429 [python][자료구조] [MongoDB] Document Query(조회) – find() 메소드 졸리운_곰 2023.03.08 89
428 [python][자료구조] Python(flask)으로 mongoDB 제어하기 – pymongo file 졸리운_곰 2023.03.08 118
427 [python, tkinter] [python/GUI] tkinter 로 GUI 만들기(기초예제, 단위 변환기 만들기) file 졸리운_곰 2023.03.07 67
426 [Python 인터넷] 세상에서 가장 간단한 Airflow 튜토리얼 file 졸리운_곰 2023.03.05 63
425 [Python 인터넷] Flask 또는 Django를 Production 서버로 배포(Deploy)하기 file 졸리운_곰 2023.03.03 82
424 [Python 인터넷] django 웹사이트 배포를 하며 겪은 시행착오 졸리운_곰 2023.03.03 88
423 [Python 인터넷] Windows에서 Django와 Apache 연동하기 졸리운_곰 2023.03.02 107
422 [python][자료구조] django sqlite3 MySQL로 전환하기 file 졸리운_곰 2023.03.02 111
421 [python][자료구조] django에서 db.sqlite3 데이터를 mysql로 옮기기 졸리운_곰 2023.03.02 89
420 [python][자료구조] Python - JSON 파일 읽고 쓰는 방법 졸리운_곰 2023.02.04 140
419 [python][자료구조] [인코딩] 유니코드 인코딩 처리 (특히 json 입출력 시) 졸리운_곰 2023.02.04 80
418 [Python 인터넷] 구글로 공부하는 파이썬 - 부록 (IIS, Apache 로 Flask 돌리기) file 졸리운_곰 2023.01.26 131
대표 김성준 주소 : 경기 용인 분당수지 U타워 등록번호 : 142-07-27414
통신판매업 신고 : 제2012-용인수지-0185호 출판업 신고 : 수지구청 제 123호 개인정보보호최고책임자 : 김성준 sjkim70@stechstar.com
대표전화 : 010-4589-2193 [fax] 02-6280-1294 COPYRIGHT(C) stechstar.com ALL RIGHTS RESERVED