Как получить доступ к веб-сервису, используя Boost :: Asio?

Интересно, есть ли возможность доступа к веб-сервису с помощью библиотеки boost asio.

Я пробовал следующий код (в IOS, C ++ 11), который я получил от Boost Asio документации.
Но это бросает следующее.

try
{
boost::asio::io_service io_service;
std::string address = "http://www.thomas-bayer.com/axis2/services/BLZService/";

// Get a list of endpoints corresponding to the server name.
tcp::resolver resolver(io_service);
tcp::resolver::query query(address,boost::asio::ip::resolver_query_base::numeric_service);tcp::resolver::iterator endpoint_iterator = resolver.resolve(query);

endpoint_iterator->host_name() = "www.thomas-bayer.com/axis2/services/BLZService/";

std::cout<<"Print Query --"<<std::endl;

// Try each endpoint until we successfully establish a connection.
tcp::socket socket(io_service);

boost::asio::connect(socket, endpoint_iterator);

// Form the request. We specify the "Connection: close" header so that the
// server will close the socket after transmitting the response. This will
// allow us to treat all data up until the EOF as the content.
boost::asio::streambuf request;
std::ostream request_stream(&request);
request_stream << "POST: HTTP/1.0\r\n";
request_stream << "Host: " << address << "\r\n";
request_stream << "Accept: */*\r\n";
request_stream << "Connection: close\r\n\r\n";

// Send the request.
boost::asio::write(socket, request);

// Read the response status line. The response streambuf will automatically
// grow to accommodate the entire line. The growth may be limited by passing
// a maximum size to the streambuf constructor.

boost::asio::streambuf response;
boost::asio::read_until(socket, response, "\r\n");

// Check that response is OK.
std::istream response_stream(&response);
std::string http_version;
response_stream >> http_version;
unsigned int status_code;
response_stream >> status_code;
std::string status_message;
std::getline(response_stream, status_message);

if (!response_stream || http_version.substr(0, 5) != "HTTP/")
{
std::cout << "Invalid response\n";
return;
}
if (status_code != 200)
{
std::cout << "Response returned with status code " << status_code << "\n";
return;
}

// Read the response headers, which are terminated by a blank line.
boost::asio::read_until(socket, response, "\r\n\r\n");

// Process the response headers.
std::string header;
while (std::getline(response_stream, header) && header != "\r")
std::cout << header << "\n";
std::cout << "\n";

// Write whatever content we already have to output.
if (response.size() > 0)
std::cout << &response;

// Read until EOF, writing data to output as we go.
boost::system::error_code error;
while (boost::asio::read(socket, response,
boost::asio::transfer_at_least(1), error))
std::cout << &response;
if (error != boost::asio::error::eof)
throw boost::system::system_error(error);
}
catch (std::exception& e)
{
std::cout << "Exception: " << e.what() << "\n";
}

Исключение: соединение: не удается назначить запрошенный адрес

Или же

Исключение: разрешение: Хост не найден (авторизованный)

Что не так с кодом? Или я делаю совершенно неправильно?

Спасибо

2

Решение

Разрешение имени не удается, потому что вы путаете, что такое запрос, URL, протокол, имя хоста и IP-адрес.

Сделайте запрос на Полное доменное имя. Вам необходимо предоставить услугу, если вы не знаете это. Служба в этом случае следует из протокола¹, `http: // обычно обслуживается на порту 80:

std::string const address = "www.thomas-bayer.com";
tcp::resolver::query query(address, "80", boost::asio::ip::resolver_query_base::numeric_service);

Обратите внимание, что на большинстве систем вы можете эквивалентно использовать:

std::string const address = "www.thomas-bayer.com";
tcp::resolver::query query(address, "http");

Посмотрите, где http:// а также www.thomas-bayer.com запчасти пошли?

Сейчас /axis2/services/BLZService/ путь запроса, как вы написали бы в запросе GET:

request_stream << "GET /axis2/services/BLZService/ HTTP/1.1\r\n";

Заметки:

  1. POST — это не заголовок (поэтому без двоеточия!) Это HTTP-глагол (GET, POST, DELETE, PUT …)
  2. Заголовок «Host» является имя хоста:

     request_stream << "Host: " << address << "\r\n";
    

    было правильно тогда и только тогда address было действительно логичное имя для хоста

  3. установка имени хоста так:

     endpoint_iterator->host_name() = "www.thomas-bayer.com/axis2/services/BLZService/";
    

    это то, чего я никогда раньше не видел, и я не уверен, чего он должен достичь. Возможно, это просто неправильно?

Convention условно, это может быть другое

Исправления

#include <boost/asio.hpp>
#include <iostream>
using boost::asio::ip::tcp;

void test() try {
boost::asio::io_service io_service;
std::string const address = "www.thomas-bayer.com";

// Get a list of endpoints corresponding to the server name.
tcp::resolver resolver(io_service);
tcp::resolver::query query(address, "80", boost::asio::ip::resolver_query_base::numeric_service);

tcp::resolver::iterator endpoint_iterator = resolver.resolve(query);

std::cout << "Print Query --" << std::endl;

// Try each endpoint until we successfully establish a connection.
tcp::socket socket(io_service);

boost::asio::connect(socket, endpoint_iterator);

// Form the request. We specify the "Connection: close" header so that the
// server will close the socket after transmitting the response. This will
// allow us to treat all data up until the EOF as the content.
boost::asio::streambuf request;
std::ostream request_stream(&request);
request_stream << "GET /axis2/services/BLZService HTTP/1.0\r\n";
request_stream << "Host: " << address << "\r\n";
request_stream << "Accept: */*\r\n";
request_stream << "Connection: close\r\n\r\n";

// Send the request.
boost::asio::write(socket, request);

// Read the response status line. The response streambuf will automatically
// grow to accommodate the entire line. The growth may be limited by
// passing a maximum size to the streambuf constructor.
boost::asio::streambuf response;
boost::asio::read_until(socket, response, "\r\n");

// Check that response is OK.
std::istream response_stream(&response);
std::string http_version, status_message;
unsigned int status_code;
std::getline(response_stream >> http_version >> status_code, status_message);

if (!response_stream || http_version.substr(0, 5) != "HTTP/") {
std::cout << "Invalid response\n";
return;
}
if (status_code != 200) {
std::cout << "Response returned with status code " << status_code << "\n";
return;
}

// Read the response headers, which are terminated by a blank line.
boost::asio::read_until(socket, response, "\r\n\r\n");

// Process the response headers.
std::string header;
while (std::getline(response_stream, header) && header != "\r")
std::cout << header << "\n";
std::cout << "\n";

// Write whatever content we already have to output.
if (response.size() > 0)
std::cout << &response;

// Read until EOF, writing data to output as we go.
boost::system::error_code error;
while (boost::asio::read(socket, response, boost::asio::transfer_at_least(1), error))
std::cout << &response;
if (error != boost::asio::error::eof)
throw boost::system::system_error(error);
} catch (std::exception &e) {
std::cout << "Exception: " << e.what() << "\n";
}

int main() { test(); }
1

Другие решения

Других решений пока нет …

По вопросам рекламы [email protected]