1

我在通过 https 发送 POST 时遇到问题。在上面的代码片段中,第一部分(注释)运行良好。下一部分没有:它不发送任何请求。我需要什么来修复它?

Ps 问题可能是因为我的 Lib boost 不支持 HTTPS。

    #include "stdafx.h"
    #include <iostream>
    #include <boost/asio.hpp>
    #include <conio.h>
    #include <stdio.h>
    #include <fstream>

    char buffer [9999999];

    int main()
    {
        boost::asio::ip::tcp::iostream stream;
        stream.expires_from_now(boost::posix_time::seconds(60));
        stream.connect("www.mail.ru","http");
        //stream << "GET / HTTP/1.1\r\n";
        //stream << "Host mail.ru\r\n";
        //stream << "User-Agent   Mozilla/5.0 (Windows NT 6.2; WOW64) AppleWebKit/536.11 (KHTML, like Gecko) Chrome/20.0.1132.47 Safari/536.11\r\n";
        //stream << "Accept   text/html,application/xhtml+xml,application/xml;q=0.9,*/*;q=0.8\r\n" ;
        //stream << "Accept-Encoding  gzip,deflate,sdch\r\n";
        //stream << "Accept-Language  en-US,en;q=0.8\r\n";
        //stream <<"Accept-Charset    ISO-8859-1,utf-8;q=0.7,*;q=0.3\r\n";
        //stream << "Cookie   \r\n\r\n";

    stream << "POST https://auth.mail.ru/cgi-bin/auth HTTP/1.1\r\n";
    stream << "Host: auth.mail.ru\r\n";
    stream << "User-Agent: Mozilla/5.0 (Windows NT 6.2; WOW64; rv:13.0) Gecko/20100101 Firefox/13.0.1\r\n";
    stream << "Accept: text/html,application/xhtml+xml,application/xml;q=0.9,*/*;q=0.8\r\n";
    stream << "Accept-Language: ru-ru,ru;q=0.8,en-us;q=0.5,en;q=0.3\r\n";
    stream << "Accept-Encoding: gzip, deflate\r\n";
    stream << "Connection: keep-alive\r\n";
    stream << "Referer: http://mail.ru/\r\n";
    stream << "X-MailRuSputnik: generic\r\n";
    stream << "Content-Type: application/x-www-form-urlencoded\r\n";
    stream << "Content-Length: 59\r\n";

    stream << "Domain=mail.ru&Login=(login)&Password=(password)&level=0\r\n";

        stream.flush();
        using namespace std ;
     // cout << stream.rdbuf();
        ofstream f("output.txt" /*| ios::bin*/);
        f << stream.rdbuf();
        f.close();
        system("pause");
        return 0 ;
    }
4

1 回答 1

8

您的代码有几个问题。

1)您的POST行指定了完整的 URL,而它应该只指定主机相对路径。不要在该行中指定 URL 方案或主机名。仅在连接到代理时才需要。

stream << "POST /cgi-bin/auth HTTP/1.1\r\n";

2)HTTP标头由两个连续的CRLF对终止,但您的代码仅在Content-Length标头和正文数据之间发送一对CRLF,而您的正文数据仅以一对CRLF对(您不需要)结束,所以有当 HTTP 请求完成发送时,无需告诉服务器。

stream << "Content-Length: 59\r\n"; 
stream << "\r\n"; // <-- add this

3)您的Content-Length标头的值为59,但您显示的正文数据的长度是 58 。这将导致服务器尝试读取比您实际发送的字节更多的字节,从而阻止发送响应(除非服务器实现接收超时,然后可以发回错误响应)。我建议你将body数据放入a中std::string,然后使用它的length()方法Content-Length动态填写正确的值,而不是硬编码。

std::string content = "Domain=mail.ru&Login=(login)&Password=(password)&level=0";
...
stream << "Content-Length: " << content.length() << "\r\n";
stream << "\r\n";

stream << content;
于 2012-07-12T23:52:17.637 回答