[Linux/CentOS/ProtoBuf] Centos - Protobuf 연동[echo 서버][2]
- 공유 링크 만들기
- X
- 이메일
- 기타 앱
아래 포스팅에서의 작업은 다음과 같습니다.
1. *.proto 생성방법
2. 간단한 Echo 서버 및 Makefile 작성
3. 통신 테스트
1. *.proto 생성방법
ProtoBuf 통신을 위해서는 *.proto , *.pb 관련 파일을 생성해야 합니다.
이게 무엇인가하면,
ProtoBuffer는 객체를 byte화 시키고(Serialize) Client쪽에서도 byte를 객체로(DeSerialize) 변환을 진행합니다.
(통신에는 byte stream으로만 통신하기 때문에)
[Serialize]
[DeSerialize]
즉, Protocol과 같은 역활을 진행하기 때문에, Client - Server간에 Protocol에 해당하는 명세서를 작성한다고 생각하시면 편할것 같습니다.
그럼 이거를 수동으로 만드냐? 그건 아닙니다.
ProtoBuffer에 프로그램이 존재하는데, 만드는 방법은 다음과 같습니다.
protoc 프로그램을 통해, 정의된 *.proto를 *.pb로 생성하는 역활을 진행합니다.
protoc 실행방법은 아래와 같습니다. (경로 = protobuf 메인/src/protoc )
protoc -I=../../../ProjectRTS/ClientRoot/proto --csharp_out=../../../ProjectRTS/ClientRoot/proto ../../../ProjectRTS/ClientRoot/proto/addressbook.proto
-I에는 *.proto가 있는 경로
output에는 *.pb로 생성 될 경로
그 뒤의 경로는 어느 *.proto를 바꿀지 정의합니다.
해당 명령어는 C#에 해당하는 건데, c++의 경우는 --csharp_out을 단순 --cpp_out으로 변환하면 됩니다.
해당 명령을 진행하면 어떻게 되느냐?
/* 해당 정의된 Package들이 *.pb.cc 와 *.pb.h로 생성됩니다. */ syntax = "proto3"; package tutorial; message Person { required string name = 1; required int32 id = 2; optional string email = 3; enum PhoneType { MOBILE = 0; HOME = 1; WORK = 2; } message PhoneNumber { required string number = 1; optional PhoneType type = 2 [default = HOME]; } repeated PhoneNumber phones = 4; } message AddressBook { repeated Person people = 1; }
코드 길이가 긴관계로 addressbook.pb.h만 보여드리겠습니다.
class Person_PhoneNumber : public ::google::protobuf::Message /* @@protoc_insertion_point(class_definition:tutorial.Person.PhoneNumber) */ { public: Person_PhoneNumber(); virtual ~Person_PhoneNumber(); Person_PhoneNumber(const Person_PhoneNumber& from); inline Person_PhoneNumber& operator=(const Person_PhoneNumber& from) { CopyFrom(from); return *this; } inline const ::google::protobuf::UnknownFieldSet& unknown_fields() const { return _internal_metadata_.unknown_fields(); } inline ::google::protobuf::UnknownFieldSet* mutable_unknown_fields() { return _internal_metadata_.mutable_unknown_fields(); } static const ::google::protobuf::Descriptor* descriptor(); static const Person_PhoneNumber& default_instance(); static inline const Person_PhoneNumber* internal_default_instance() { return reinterpret_cast( &_Person_PhoneNumber_default_instance_); } static PROTOBUF_CONSTEXPR int const kIndexInFileMessages = 0; void Swap(Person_PhoneNumber* other); // implements Message --------------------- .... /* 각각의 Message에 대해 Class 및 getter setter가 작성됨 */
위의 *.pb.cc와 *.pb.h를 통해 Main Project와 빌드 후, 링킹하여 사용합니다.
2. 간단한 Echo 서버 작성 및 Makefile 작성
MakeFile 부
# Makefile, pb.h와 pb.cc를 빌드 후, APP_SRCS=$(wildcard *.cpp) PROTO_SRCS= ../proto/addressbook.pb.cc APP_OBJS=$(APP_SRCS:.cpp=.o) PROTO_OBJS= ../proto/addressbook.pb.o INCLUDES=-I./ -I../proto -I../include -I../ LIBRARY=-L../lib -lprotobuf-lite -lprotobuf -lprotoc all: Project $(PROTO_OBJS): $(PROTO_SRCS) $(CXX) $(CXXFLAGS) $(INCLUDES) -c -o $@ $< .cpp.o: $(CXX) $(CXXFLAGS) $(INCLUDES) -c -o $@ $< Project : $(APP_OBJS) $(PROTO_OBJS) $(CXX) $(CXXFLAGS) $(PROTO_OBJS) $(INCLUDES) $(LIBRARY) $< -o $@ clean: rm -f *.o ../proto/*.o ProjectC++ Echo Server Main 코드
#include "iostream" #include "string" #include "stdio.h" #include "stdlib.h" #include "unistd.h" #include "arpa/inet.h" #include "sys/types.h" #include "sys/socket.h" #include "netinet/in.h" #include "google/protobuf/io/coded_stream.h" #include "google/protobuf/io/zero_copy_stream_impl.h" #include "proto/addressbook.pb.h" #define LOG printf using namespace std; using namespace google::protobuf::io; #define READ_BUFSIZE 8096 #define BACKLOG_SIZE 50 int main(int argc, char* argv[]) { // Verify that the version of the library that we linked against is // compatible with the version of the headers we compiled against. GOOGLE_PROTOBUF_VERIFY_VERSION; /************************ * Serv Socket Declare ************************/ int serverSock; int port = 10001; struct sockaddr_in serverAddr; serverSock = socket(AF_INET, SOCK_STREAM, 0); if (serverSock <= 0) { LOG("Error Socket Open"); perror("socket:"); return -1; } memset(&serverAddr, '\0', sizeof(serverAddr)); serverAddr.sin_family = AF_INET; serverAddr.sin_addr.s_addr = htonl(INADDR_ANY); serverAddr.sin_port = htons(port); if ( bind(serverSock, (sockaddr*)&serverAddr, sizeof(serverAddr)) < 0 ) { LOG("Serv SOck Bind Error\n"); perror("bind"); return -1; } if ( listen(serverSock , BACKLOG_SIZE) < 0 ) { LOG("Errror List\n"); perror("listen:"); return -1; } /************************** * Read Protocol Buffer **************************/ size_t servAddrSize = sizeof(serverAddr); struct sockaddr_in clntAddr; int clntAddrSize = sizeof(clntAddr); int clientSock = accept(serverSock, (sockaddr*)&clntAddr, (socklen_t*)&clntAddrSize); if ( clientSock < 0 ) { LOG("Error Client Set\n"); perror("accept"); } while(true) { memset(buffer, '\0', (size_t)READ_BUFSIZE); int32_t readSize; LOG("accept Success\n"); if ( (readSize = recv(clientSock, buffer, (int32_t)READ_BUFSIZE, 0)) > 0 ) { LOG("buffer:[%s]", buffer); tutorial::AddressBook addressBook; /************************************** * Read Buffer Save inputStream * And Get Size used by ReadVariant32 * Parsing addressBook *************************************/ google::protobuf::uint32 pbufSize; google::protobuf::io::ArrayInputStream inputStream(buffer, readSize); CodedInputStream codedStream(&inputStream); codedStream.ReadVarint32(&pbufSize); google::protobuf::io::CodedInputStream::Limit bufferLimit = codedStream.PushLimit(pbufSize); addressBook.ParseFromCodedStream(&codedStream); codedStream.PopLimit(bufferLimit); cout << "Message is " << addressBook.DebugString(); /************************************** * Write Buffer **************************************/ int32_t writeSize; if ( (writeSize = send(clientSock, buffer, (size_t)readSize, MSG_WAITALL) ) < 0 ) { LOG("Error Send"); perror("send"); } } // Optional: Delete all global objects allocated by libprotobuf. google::protobuf::ShutdownProtobufLibrary(); return 0; }서버(Linux) - 클라이언트(Unity)
추가로 읽으면 좋을 것
개발
구글 프로토버퍼
역직렬화
직렬화
c 프로토 버퍼
c++ 프로토 버퍼
echo server
protoBuf
Protocol Buffer
protocol buffer echo server
Serialize
- 공유 링크 만들기
- X
- 이메일
- 기타 앱
이 블로그의 인기 게시물
윤석열 계엄령 선포! 방산주 대폭발? 관련주 투자 전략 완벽 분석
## 1. 배경 2024년 12월 3일, 윤석열 대통령이 국가 비상사태를 이유로 계엄령을 선포하였습니다. 계엄령은 전시나 사변 등 국가의 안녕과 공공질서가 심각하게 위협받을 때 대통령이 군사적 권한을 통해 이를 방어하고 유지하기 위해 발효하는 특별한 조치입니다. 이러한 조치는 국내 정치·경제 전반에 큰 영향을 미치며, 특히 주식시장에서는 관련 기업들의 주가 변동이 예상됩니다. 24.12.03 오전 5시 계엄 해제로 아래 관련주 추천 - [윤석열 계엄령 해제! 이재명 관련주 급등? 투자자 필독 전략](https://warguss.blogspot.com/2024/12/yoon-martial-law-lift-lee-jaemyung-stocks.html) --- ## 2. 기업 및 관련주 ### 2-1 식품 관련주 - 계엄령이 선포되면 사회적 불안정성이 증가할 수 있으며, 이에 따라 생필품 및 음식 관련 주식이 단기적으로 강세를 보일 가능성이 있습니다. #### 1. CJ제일제당 (KOSPI: 097950) [시가총액: 약 10조 원] - **주요 산업**: 식품 및 생필품 제조 - **관련주 근거**: 국가적 위기 상황에서 식료품 수요가 증가하며, 즉석밥, 가공식품 등의 판매가 확대될 가능성이 있습니다. - **주가정보**: [네이버 차트](https://finance.naver.com/item/main.nhn?code=097950) #### 2. 오뚜기 (KOSPI: 007310) [시가총액: 약 3조 원] - **주요 산업**: 식품 제조 및 유통 - **관련주 근거**: 라면, 즉석식품 등 비축 가능한 식품 수요가 증가하며, 매출 상승이 기대됩니다. - **주가정보**: [네이버 차트](https://finance.naver.com/item/main.nhn?code=007310) #### 3. 대상 (KOSPI: 001680) [시가총액: 약 2조 원] - **주요 산업**: 식품 제조 및 발효제품 - **관련주 근거**: 계엄...
대통령 퇴진운동 관련주: 방송·통신·촛불수혜주 완벽 분석
--- ## 1. 배경 2024년 12월 3일, 윤석열 대통령이 비상계엄령을 선포했으나, 짧은 시간 내에 이를 해제하면서 정치적 긴장감이 커졌습니다. 이에 따라 대규모 촛불시위와 같은 사회적 움직임이 예상되며, 통신과 관련된 기업 및 촛불 제조와 연관된 산업에 관심이 모이고 있습니다. --- ## 2. 기업 및 관련주 대규모 시위 및 관련 활동으로 인해 통신, 미디어, 그리고 촛불 제조와 관련된 기업들이 단기적인 수혜를 볼 것으로 예상됩니다. ### 2-1. 통신 관련주 #### 1. **KT (030200) [약 12조 원]** - **주요 산업:** 통신 - **관련주 근거:** 시위 생중계 및 대규모 통신 트래픽 증가로 매출 증대 가능성 - **주가정보:** [네이버 차트](https://finance.naver.com/item/main.nhn?code=030200) #### 2. **SK텔레콤 (017670) [약 12조 원]** - **주요 산업:** 통신 - **관련주 근거:** 대규모 데이터 사용 증가로 인한 수익 상승 - **주가정보:** [네이버 차트](https://finance.naver.com/item/main.nhn?code=017670) #### 3. **LG유플러스 (KOSPI, 032640) [약 4.9조 원]** - **주요 산업:** 통신 - **관련주 근거:** 촛불시위로 인한 데이터 및 음성 서비스 사용 증가 예상 - **주가정보:** [네이버 차트](https://finance.naver.com/item/main.nhn?code=032640) --- ### 2-2. 방송 관련주 #### 1. **SBS (034120) [약 2,924억 원]** - **주요 산업:** 방송 및 미디어 콘텐츠 제작 - **관련주 근거:** 시위 관련 특집 방송 및 실시간 보도에 따른 광고 수익 증가 - **주가정보:** [네이버 차트](https://finance.naver.com/item/main.nhn?code...
키움 OPEN API MFC 개발 (1)
* 키움 API 개발 - visual studio 2019 , MFC * Visual Studio Set - 새 프로젝트 만들기 / MFC 검색 - 다음 이후, MFC 설정에서 어플리케이션 종류 변경 (대화 상자 기반) * 기본 적용 Flow ( https://www.kiwoom.com/nkw.templateFrameSet.do?m=m1408000000 ) = 우선 생략하고, Step 2 설치 = Step 3 자료실/ KhOpenApiTest_2.71.zip 다운로드 * Step 2 설치 후, 설치 경로의 OpenAPI 디렉토리 찾기 1. 파일 찾기 2. KHOpenAPI.ocx 를 프로젝트 소스에 복사 * Step 3 자료실/다운로드 1. khOpenApiTest_2.71.zip 다운/압축 풀고, 2. KHOpenAPI.cpp/h KHOpenAPICtrl.cpp/h 프로젝트 소스에 복사 * 내부 소스에 다음추가 header에 class 생성 cpp에 다음 소스 추가 * 리소스 뷰 > IDD_TRADINGAPP_DIALOG 1. 확인 우클릭 > Active X 컨트롤 삽입 2. KHOpenAPI Control 적용 하면 위 화면처럼 적용 이후 실행 시 다음 화면 이후 매수/매도 적용
댓글
댓글 쓰기