C++ Simple BOOST Asynchronous ASIO Reverse Proxy

10 May 2021CPOL
 
This is a reverse proxy developed using BOOST asynchronous ASIO calls.

Background

A reverse proxy is a proxy that acts as a bridge between the client and server. Instead of client directly communicating with the server and server directly communicating with the client, they communicate directly with reverse proxy. A simple Reverse proxy is just a packet exchange between the client and server. Most proxy performs advanced task.

Reverse proxy themselves act as a server and client. Server that listens to the external client. Client that connects to the external server. Normally, reverse proxy resides on the external server side. Internal server and internal client themselves communicate with each other for packet exchange. In the code, I have referred to the internal server as server and internal client as client.

Using the Code

BOOST latest version needs to be installed.

Most of the things are self explanatory.

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

C++
//
// Simple BOOST Asynchronous ASIO reverse proxy.
//
#define WIN32_LEAN_AND_MEAN

// Windows header declarations.
#include <Windows.h>
#include <tchar.h>
#include <strsafe.h>
#include <Winerror.h>

// C++ header declarations
#include <iostream>
using namespace std;

// BOOST ASIO declarations
#include <boost/asio.hpp>
#include <boost/shared_ptr.hpp>
#include <boost/thread.hpp>
#include <boost/lexical_cast.hpp>
using namespace boost;
using namespace boost::asio;
using namespace boost::asio::ip;

char szServerBuffer[4096]; // Server buffer will be forwarded to client. 4K.
char szClientBuffer[4096]; // Client buffer will be forwarded to server. 4K.

// Global mutex for cout.
boost::mutex g_Mutex;

// Client write Handler.
void writeclient_handler(const boost::system::error_code& ec, std::size_t bytes_transferred)
{
    g_Mutex.lock();
    cout << "Client Sent: " << bytes_transferred << endl;
    g_Mutex.unlock();
}

// Server write Handler.
void write_handler(const boost::system::error_code& ec, std::size_t bytes_transferred)
{
    g_Mutex.lock();
    cout << "Server Sent: " << bytes_transferred << endl;
    g_Mutex.unlock();
}

// Client read handler. As soon as the client receives data, this function is notified.
// Data is forwarded to the server and initiates for further client read asynchronously.
void readclient_handler(const boost::system::error_code& ec, std::size_t bytes_transferred,
    boost::shared_ptr<tcp::socket>& pClientSocket, boost::shared_ptr<tcp::socket>& pPeerSocket)
{
    if (!ec || bytes_transferred != 0)
    {
        g_Mutex.lock();
        cout << "Client Received: " << bytes_transferred << endl;
        g_Mutex.unlock();
        pPeerSocket->async_write_some(boost::asio::buffer(szClientBuffer, bytes_transferred),
            boost::bind(write_handler, boost::asio::placeholders::error, 
                        boost::asio::placeholders::bytes_transferred));

        pClientSocket->async_read_some(boost::asio::buffer
                       (szClientBuffer, sizeof(szClientBuffer)),
            boost::bind(readclient_handler, boost::asio::placeholders::error, 
                        boost::asio::placeholders::bytes_transferred,
                pClientSocket, pPeerSocket));
    }
    else
    {
        g_Mutex.lock();
        cout << "Client receive error: " << ec << endl;
        g_Mutex.unlock();
    }
}

// Client connect handler. When the client is connected to the 
// external server, this function is triggered.
void connect_handler(const boost::system::error_code& ec, 
                     boost::shared_ptr<tcp::socket>& pClientSocket,
    boost::shared_ptr<tcp::socket>& pPeerSocket)
{
    if (!ec)
    {
        g_Mutex.lock();
        cout << "CLient connected:" << endl;
        g_Mutex.unlock();
        pClientSocket->async_read_some(boost::asio::buffer
                       (szClientBuffer, sizeof(szClientBuffer)),
            boost::bind(readclient_handler, boost::asio::placeholders::error, 
                        boost::asio::placeholders::bytes_transferred,
                pClientSocket, pPeerSocket));
    }
    else
    {
        g_Mutex.lock();
        cout << "Client error: " << ec << endl;
        g_Mutex.unlock();
    }
}

// Server read handler. As soon as the server receives data, this function is notified.
// Data is forwarded to the client and initiates for further server read asynchronously.
void read_handler(const boost::system::error_code& ec, std::size_t bytes_transferred,
    boost::shared_ptr<tcp::socket>& pPeerSocket, boost::shared_ptr<tcp::socket>& pClientSocket)
{
    if (!ec || bytes_transferred != 0)
    {
        g_Mutex.lock();
        cout << "Server Received: " << bytes_transferred << endl;
        g_Mutex.unlock();

        pClientSocket->async_write_some(boost::asio::buffer(szServerBuffer, bytes_transferred),
            boost::bind(writeclient_handler, boost::asio::placeholders::error, 
                        boost::asio::placeholders::bytes_transferred));

        pPeerSocket->async_read_some(boost::asio::buffer
                                    (szServerBuffer, sizeof(szServerBuffer)),
            boost::bind(read_handler, boost::asio::placeholders::error, 
                        boost::asio::placeholders::bytes_transferred,
                        pPeerSocket, pClientSocket));
    }
    else
    {
        g_Mutex.lock();
        cout << "Server receive error: " << ec << endl;
        g_Mutex.unlock();
    }
}

// Server accept handler. When the external client connects the server,
// this function is triggered.
void accept_handler(const boost::system::error_code& ec, 
                    boost::shared_ptr<io_context>& pIOContext,
    boost::shared_ptr<tcp::acceptor>& pAcceptor, 
                      boost::shared_ptr<tcp::socket>& pPeerSocket)
{
    if (!ec)
    {
        g_Mutex.lock();
        cout << "Server accepted:" << endl;
        g_Mutex.unlock();
        boost::shared_ptr<tcp::socket> pNewPeerSocket(new tcp::socket(*pIOContext));
        pAcceptor->async_accept(*pNewPeerSocket,
            boost::bind(accept_handler, boost::asio::placeholders::error, 
                        pIOContext, pAcceptor, pNewPeerSocket));

        // Client
        boost::shared_ptr<tcp::socket> pCientSocket1(new tcp::socket(*pIOContext));
        boost::shared_ptr<tcp::resolver> pClientResolver(new tcp::resolver(*pIOContext));
        boost::shared_ptr<tcp::resolver::query> pClientResolverQuery(
            new tcp::resolver::query("127.0.0.1", boost::lexical_cast<string>(16365)));
        tcp::resolver::iterator itrEndPoint = pClientResolver->resolve(*pClientResolverQuery);
        pCientSocket1->async_connect(*itrEndPoint, 
                       boost::bind(connect_handler, boost::asio::placeholders::error,
            pCientSocket1, pPeerSocket));

        Sleep(2000);

        pPeerSocket->async_read_some(boost::asio::buffer
                                    (szServerBuffer, sizeof(szServerBuffer)),
            boost::bind(read_handler, boost::asio::placeholders::error, 
                        boost::asio::placeholders::bytes_transferred,
                pPeerSocket, pCientSocket1));
    }
    else
    {
        g_Mutex.lock();
        cout << "Server accept error: " << ec << endl;
        g_Mutex.unlock();
    }
}

// Keep the server running.
void ReverProxyThread(boost::shared_ptr<io_context>& pIOContext)
{
    while (1)
    {
        try
        {
            boost::system::error_code ec;
            pIOContext->run(ec);
            break;
        }
        catch (std::runtime_error& ex)
        {

        }
    }
}

void _tmain()
{
    // IOContext
    boost::shared_ptr<io_context> pIOContext1(new io_context());
    boost::shared_ptr<io_context::strand> pStrand(new io_context::strand(*pIOContext1));

    // Worker Thread
    boost::shared_ptr<io_context::work> pWork(new io_context::work(*pIOContext1));
    boost::shared_ptr<boost::thread_group> pTG(new boost::thread_group());
    for (int i = 0; i < 2; i++)
    {
        pTG->create_thread(boost::bind(ReverProxyThread, pIOContext1));
    }

    // Resolver
    boost::shared_ptr<tcp::resolver> pResolver(new tcp::resolver(*pIOContext1));
    boost::shared_ptr<tcp::resolver::query>
        pQuery1(new tcp::resolver::query(tcp::v4(), boost::lexical_cast<string>(5800)));
    tcp::resolver::iterator pIter1 = pResolver->resolve(*pQuery1);
    boost::shared_ptr<tcp::acceptor> pAcceptor(new tcp::acceptor(*pIOContext1));

    // Acceptor
    tcp::endpoint Endpoint = (*pIter1);
    pAcceptor->open(Endpoint.protocol());
    pAcceptor->bind(*pIter1);
    pAcceptor->listen();
    boost::shared_ptr<tcp::socket> pPeerSocket(new tcp::socket(*pIOContext1));
    pAcceptor->async_accept(*pPeerSocket,
        boost::bind(accept_handler, boost::asio::placeholders::error, 
                    pIOContext1, pAcceptor, pPeerSocket));

    cin.get();

    system::error_code ec;
    pPeerSocket->close(ec);
    pPeerSocket->shutdown(tcp::socket::shutdown_both, ec);

    pIOContext1->stop();

    pTG->join_all();
}
//

History

  • 9th May, 2021: Initial version
 

License

This article, along with any associated source code and files, is licensed under The Code Project Open License (CPOL)

About the Author

Daniel Ramnath
 
 
 
India India
I am a software programmer in Visual C++.
 
 
[출처] https://www.codeproject.com/Tips/5302180/Cplusplus-Simple-BOOST-Asynchronous-ASIO-Reverse-P

 

 

 

본 웹사이트는 광고를 포함하고 있습니다.
광고 클릭에서 발생하는 수익금은 모두 웹사이트 서버의 유지 및 관리, 그리고 기술 콘텐츠 향상을 위해 쓰여집니다.
번호 제목 글쓴이 날짜 조회 수
206 [MSA][Docker][Kubernetes] [Kubernetes] 윈도우10에 도커, 쿠버네티스 설치 (docker desktop) file 졸리운_곰 2021.05.23 32
205 [C/C++, graphics] SDL Tutorial Basics 졸리운_곰 2021.05.15 51
» C++ Simple BOOST Asynchronous ASIO Reverse Proxy file 졸리운_곰 2021.05.10 21
203 [MSA] [Docker] Docker File을 이용하여 Docker Image만들기 file 졸리운_곰 2021.04.27 28
202 [MSA][Docker] Docker 개념, 관리, 이미지생성까지 한번에!! file 졸리운_곰 2021.04.27 64
201 [죽기전에 경험해봐야 하는 미니 코어 리눅스 5가지] 5 tiny Linux distros to try before you die file 졸리운_곰 2021.04.25 14
200 [C/C++ 자료구조] 5일만에 뚝딱 스크립트 언어 만들기 PGLight (1/5) file 졸리운_곰 2021.04.12 23
199 [linux] vi 단축키 정리 / vim 학습자료 file 졸리운_곰 2021.04.04 42
198 [linux] VIM Editor 단축키 / 명령어 모음 졸리운_곰 2021.04.04 44
197 [MSA] 서비스 경량화를 위한 MSA 설계 시 고려사항 file 졸리운_곰 2021.03.21 72
196 [MSA][Docker] 효율적인 도커 이미지 만들기 #2 - 도커 레이어 캐슁을 통한 빌드/배포 속도 높이기 file 졸리운_곰 2021.03.21 22
195 [MSA][Docker] 효율적인 도커 이미지 만들기 #1 - 작은 도커 이미지 file 졸리운_곰 2021.03.21 25
194 [MSA] 오픈소스 모니터링 툴 - Prometheus #3 그라파나를 이용한 시각화 file 졸리운_곰 2021.03.21 186
193 [MSA] 오픈소스 모니터링 툴 - Prometheus #2 Hello Prometheus file 졸리운_곰 2021.03.21 27
192 [MSA] 오픈소스 모니터링툴 - Prometheus #1 기본 개념과 구조 file 졸리운_곰 2021.03.21 68
191 [MSA] API 게이트 웨이 & Google Cloud Endpoints file 졸리운_곰 2021.03.21 26
190 [MSA] Kong API gateway #3 - Kong on Kubernetes file 졸리운_곰 2021.03.21 45
189 [MSA] Kong API gateway #2 - 간단한 아키텍쳐와 API 테스트 file 졸리운_곰 2021.03.21 34
188 [MSA] Kong API gateway #1 - 설치와 둘러보기 file 졸리운_곰 2021.03.21 166
187 [MSA] Istio Traffic management file 졸리운_곰 2021.03.21 26
대표 김성준 주소 : 경기 용인 분당수지 U타워 등록번호 : 142-07-27414
통신판매업 신고 : 제2012-용인수지-0185호 출판업 신고 : 수지구청 제 123호 개인정보보호최고책임자 : 김성준 sjkim70@stechstar.com
대표전화 : 010-4589-2193 [fax] 02-6280-1294 COPYRIGHT(C) stechstar.com ALL RIGHTS RESERVED