2017-01-20 9 views
1

tcp 소켓을 통해 파일을 간단하게 수정하는 프로젝트를 만들려고합니다. Asio를 사용하여 데이터를 포트로 보내고받는 클래스를 만들었습니다.Asio (C++) : 서버에서 데이터를받은 후 서버로 데이터를 보낼 수 없습니다.

이러한 클래스를 사용

//SendData.hpp 
#pragma once 

#ifdef __GNUC__ 
#define DEPRECATED(func) func __attribute__ ((deprecated)) 
#elif defined(_MSC_VER) 
#define DEPRECATED(func) __declspec(deprecated) func 
#else 
#pragma message("WARNING: You need to implement DEPRECATED for this compiler") 
#define DEPRECATED(func) func 
#endif 

#include <asio.hpp> 
#include <chrono> 
#include <vector> 
#include <string> 
#include <tuple> 
#include <iostream> 

#include "SendReceiveConsts.hpp" 

using asio::ip::tcp; 
typedef unsigned short ushort; 

class SendData { 
private: 
    tcp::resolver resolver; 
    tcp::resolver::query query; 
    tcp::socket socket; 
    tcp::resolver::iterator endpoint_iterator; 

    std::string IP; 
    ushort port; 

    inline void send_string(std::string dataToSend, const char &separator = '\0') { 
     if(!this->socket.is_open()) { 
      asio::connect(this->socket, this->endpoint_iterator); 
     } 

     SendReceive::global_io_service.run(); 

     std::string MISTCompliant = dataToSend; 
     MISTCompliant.push_back(separator); 
     printf("Sent %lu to %s\n", asio::write(socket, asio::buffer(MISTCompliant.c_str(), MISTCompliant.length())), IP.c_str()); 
    }; 

public: 
    SendData(std::string IP, ushort port) 
       : resolver(SendReceive::global_io_service), 
       query(IP, std::to_string(port)), 
       socket(SendReceive::global_io_service) { 
     this->IP = IP; 
     this->port = port; 
     this->endpoint_iterator = resolver.resolve(this->query); 
    } 

    ~SendData() { stop(); } 

    DEPRECATED(void simple_send(std::string data)); 

    inline void send(std::string data, const char &separator = '\0') { 
     send_string(data, separator); 
    } 

    inline void stop() { 
     asio::error_code error; 
     this->socket.shutdown(tcp::socket::shutdown_type::shutdown_receive, error); 
     if(error) { 
      printf("An error occurred when shutting down SendData socket: %s (File: %s, Line %i)\n", error.message().c_str(), __FILE__, __LINE__); 
     } 
     this->socket.close(); 
     printf("Socket closed.\n"); 
    } 

    inline std::tuple<std::string, ushort> get_raw_info() { 
     return std::tuple<std::string, ushort>(this->IP, this->port); 
    } 
}; 

, 우리는 안정적으로 데이터를 수신 할 수있는 마스터 개의 슬레이브 시스템에서 데이터를 전송 할 수 있습니다. 그러나 마스터는 슬레이브에서 데이터를 수신 할 수 없습니다. 당신이 볼 수 있듯이, 전체 파일이 고정 된 크기의 파일을 읽을 의미

//HashFile.cpp 
#include <string> 
#include <fstream> 
#include <time.h> 
#include <thread> 
#include <chrono> 

#include <networking/SendData.hpp> 
#include <networking/ReceiveData.hpp> 
#include <MIST.hpp> 
#include <Machine.hpp> 

#define FILE_SIZE 60 

std::string random_salt(std::string s) { 
    std::string copy = ""; 
    std::string chars = "a[email protected]#$%^&*()_+-="; 
    for(std::string::iterator i = s.begin(); i != s.end(); i++) { 
     copy.push_back(*i); 
     srand(time(0)); 
     if((rand() % 100) < 10) { 
      srand(time(0)); 
      copy.push_back(chars.at(rand() % chars.length())); 
     } 
    } 
    return copy; 
} 

std::string add_salt(std::string s) { 
    std::string copy = ""; 
    for(std::string::iterator i = s.begin(); i != s.end(); i++) { 
     copy.push_back(*i); 
     if(*i == '6') { 
      copy.push_back('w'); 
      copy.push_back('h'); 
      copy.push_back('a'); 
      copy.push_back('t'); 
     } else if(*i == 'c' && *i == '9' && *i == 'D') { //c9D 
      //HG6v 
      copy.pop_back(); 
      copy.push_back(*i); 
      copy.push_back('G'); 
      copy.push_back('6'); 
      copy.push_back('v'); 
     } else if(tolower(*i) == 'm' && tolower(*(i + 1)) == 'i') { 
      copy.push_back('s'); 
      copy.push_back('t'); 
     } 
    } 
    return copy; 
} 

int main() { 
    std::vector<MIST::Machine> machines_used = { MIST::Machine("local"), MIST::Machine("Helper 1", "25.88.30.47", false), MIST::Machine("Helper 2", "25.88.123.114", false) }; //Hamachi IP addresses 
    auto mist = MIST::MIST(true, machines_used); 

    std::ifstream hash; 
    std::string data1 = ""; 
    std::string data2 = ""; 
    std::string mydata = ""; 
    printf("Dangerously large file being imported into code...\n"); 
    hash.open("testfile_smol", std::fstream::binary); 
    if(hash.is_open()) { 
     try { 
      char chunk; 
      int counter = 0; 
      while(hash.get(chunk)) { 
       if(counter < FILE_SIZE/3) { 
        data1 += chunk; 
        counter++; 
       } else if(counter < FILE_SIZE * (2.0f/3.0f)) { 
        data2 += chunk; 
        counter++; 
       } else { 
        mydata += chunk; 
        counter++; 
       } 
      } 
     } catch(std::exception& e) { 
      std::cerr << "Error encountered: " << e.what() << std::endl; 
     } 
    } 
    hash.close(); 

    printf("data1: %s data2: %s mydata: %s", data1.substr(0, 10).c_str(), data2.substr(0, 10).c_str(), mydata.substr(0, 10).c_str()); 

    ProtobufMIST::Task task; 
    task.set_task_name("hash"); 
    std::string serialized; 
    task.SerializeToString(&serialized); 

    const char c = 185; 

    printf("Send all!\n"); 
    std::string s1 = "1" + data1 + c + serialized; 
    std::string s2 = "2" + data2 + c + serialized; 

    mist.send_task(s1, "Helper 1", 1025); 
    printf("Updated first task!\n"); 

    mist.send_task(s2, "Helper 2", 1025); //Just a wrapper for SendData, as described in SendData.h 
    printf("Updated first task!\n"); 

    std::string mydata_salted = add_salt(random_salt(mydata)); //TODO: Add pepper 

    printf("Old mydata size: %zu\nNew mydata size: %zu\n", mydata.length(), mydata_salted.length()); 

    std::string one(""), two(""); 
    unsigned short port1 = 1026; 
    unsigned short port2 = 1027; 

    auto receive_slaves = [=](unsigned short& port, std::string& out) { 
     bool got = false; 
     printf("Looking for string on port %u\n", port); 
     while(!got) { 
      auto slave = new ReceiveData(port); //As defined in ReceiveData.hpp 
      std::string x = slave->receive<1>(); 
      printf("Got chunk: %s\n", x.c_str()); 
      if(!(x.find((char)182) != std::string::npos || x == "-1")) { 
       out += x; 
      } else { 
       got = true; 
      } 
      delete slave; 
     } 
     printf("Received full string!\n"); 
    }; 

    printf("Openning both receive channels...\n"); 
    printf("Waiting for strings...\n"); 
    //THIS IS WHERE IT BREAKS 
    receive_slaves(port2, two); //Never gets response 
    receive_slaves(port1, one); //Never gets response 
    printf("Received all parts!\n"); 

    printf("Removing delimiters...\n"); 
    one.erase(std::remove(one.begin(), one.end(), (char)182), one.end()); 
    two.erase(std::remove(two.begin(), two.end(), (char)182), two.end()); 

    std::ofstream output; 
    output.open("Hashed"); 
    output << one << two << mydata_salted; 
    output.close(); 

    printf("Aloha!\n"); 

    return 0; 
} 

이 두 노예로 세 번째를 보내 "소금"임의의 문자와 마지막 세번째 다음은 마스터에서 실행되는 코드는 및 기타 변환. 그러나 앞서 언급했듯이 프로그램은 다른 완성 된 부품을 받으면 붙어 있습니다.

연결 : 연결된 파티 제대로 응답하지 않았기 때문에 연결 시도가 실패 여기 여기

//HashFile.cpp (Slave) 
#include <string> 
#include <fstream> 
#include <thread> 
#include <chrono> 
#include <time.h> 
#include <MIST.pb.h> 
#include <networking/SendData.hpp> 
#include <networking/ReceiveData.hpp> 
#include <MIST.hpp> 
#include <Machine.hpp> 
#include <stdlib.h> 

std::string data; 
std::string task; 
std::string firstTwoChars; 
ProtobufMIST::Task _task; 
const char d = 182; 
const char d_spc = 185; 
int part; 
std::string random_salt(std::string s) { 
    std::string copy = ""; 
    std::string chars = "a[email protected]#$%^&*()_+-="; 
    for (std::string::iterator i = s.begin(); i != s.end(); i++) { 
     copy.push_back(*i); 
     srand(time(0)); 
     if ((rand() % 100) < 10) { 
      srand(time(0)); 
      copy.push_back(chars.at(rand() % chars.length())); 
     } 
    } 
    return copy; 
} 
std::string add_salt(std::string s) { 
    std::string copy = ""; 
    for (std::string::iterator i = s.begin(); i != s.end(); i++) { 
     copy.push_back(*i); 
     if (*i == '6') { 
      copy.push_back('w'); 
      copy.push_back('h'); 
      copy.push_back('a'); 
      copy.push_back('t'); 
     } 
     else if (*i == 'c' && *i == '9' && *i == 'D') { //c9D 
      copy.pop_back(); 
      copy.push_back(*i); 
      copy.push_back('G'); 
      copy.push_back('6'); 
      copy.push_back('v'); 
     } 
     else if (tolower(*i) == 'm' && tolower(*(i + 1)) == 'i') { 
      copy.push_back('s'); 
      copy.push_back('t'); 
     } 
    } 
    return copy; 
} 
//Previously defined salting functions 
void hash() 
{ 
    data = random_salt(data); //randomly salt 
    data = add_salt(data); //add random chars 
} 
int main() 
{ 
    MIST::Task taskThing("hash", *hash); 
    ReceiveData * rObj = new ReceiveData(1025); 
    SendData sObj("25.88.220.173", 1027); 
    std::cout << "Receiving first char \n"; 
    firstTwoChars = rObj->receive<1>(); 
    //delete rObj; 
    std::cout << firstTwoChars << std::endl; 
    std::cout << "Received first char \n"; 
    int slavePart; 
if (firstTwoChars == "1") { 
     slavePart = 1; 
    } 
    else if (firstTwoChars == "2") { 
     slavePart = 2; 
    } 
    else 
     std::cout << "You messed up, what part is it? \n"; 
    std::cout << "Is part " << slavePart << std::endl; 

    bool dataRecieved = false; 
    while (!dataRecieved) 
    { 
    std::string chunk = rObj->receive<1>(); 
     if (chunk == "-1" || chunk.find((char)182) != std::string::npos) { 
      std::cout << "Data recieved \n"; 
      dataRecieved = true; 
     } 
     else 
     { 
      data += chunk; 
      std::cout << "Added chunk: " << chunk << std::endl; 
     } 
     chunk.clear(); 
    } 
    std::cout << "All Data recieved! \n Parsing now \n"; 

    if (data.find(d_spc) != std::string::npos) 
    { 
     size_t data_before = data.find(d_spc); //find where data ends and task begins 
     std::cout << "Data found at " << data_before << "bytes. \n"; 
     std::string task = data.substr(data_before); //copy task to new string 
     std::cout << "Task copied: " << task << std::endl; 
     data.erase(data_before);//erase everything that was the task from it's original string 
    } 
    else { 
     std::cout << "Did not find d_spc \n"; 
     std::abort(); 
    } 
    std::cout << "Data parsed \n Data: \n"; 
    std::cout << data << std::endl; 
    std::cout << "Task: " << task << std::endl; 

    if (_task.ParseFromString(task)) 
    { 
     std::cout << "Task parsed properly \n"; 
    } 
    else { 
     std::cout << "I messed up parsing, trying again \n"; 
     if (_task.ParseFromString(task)) { 
      task.pop_back(); 
      std::cout << "Worked the second time! \n"; 
     } 
     else { 
      std::cout << "Still messed up \n"; 
      std::abort(); 
     } 
    } 
    if(_task.task_name() == "hash") 
     taskThing.run(); 
    std::cout << taskThing.getID(); 
    std::cout << "Sending... \n"; 
    std::this_thread::sleep_for(std::chrono::milliseconds(500)); 
    std::string t_str = std::to_string(slavePart) + data; 

    //THIS IS WHERE IT BREAKS 
    sObj.send(t_str, d); //error 

    int x; 
    std::cin >> x; 
    std::cout << "Sent! \n"; 
} 

마스터에 다시 연결하려고 할 때 나타나는 오류처럼 슬레이브 코드는 모습입니다 호스트가 응답하지 못하여 이 실패했습니다. 연결 : 연결 대상이 에 연결되지 않았기 때문에 연결 시도가 실패했습니다. 시간이지나거나 호스트가 응답하지 못했습니다.

우리가 서있는 곳에서 보면 마스터에서 실행되는 수신 프로세스가 있기 때문에 의미가 없습니다. 우리는 Asio를 보내고받는 수업에서 우리가 포장하는 방식과 관련이 있다고 느끼지만, 우리는 어디에 있는지 잘 모릅니다.

참고로이 도구는 크로스 플랫폼 프로젝트입니다. 마스터는 우분투 16.10에서 실행 중이며 두 노예는 Windows 10에서 실행 중입니다. 방화벽을 비활성화했으며 Hamachi에서 프로젝트를 실행하고 있습니다. 또한 각 슬레이브가 문자열의 완성 된 부분을 자신의 포트로 보냅니다.

답변

0

상대방이 사용할 수있는 소켓이 있기 전에 슬레이브 프로그램에서 SendData를 생성하여 SendData 객체를 만들 때 실행되는 resolver가 사용중인 IP 주소를 확인할 수없는 것처럼 보입니다. 데이터를 보내기 전에 바로 SendData를 만들어보십시오.

또한 멋진 ASIO 래퍼입니다. 그것은 약간의 작업을 사용할 수는 있지만 시작일 뿐이며 사용하기에는 단순한 ASIO보다 조금 더 간단합니다.