GetLastError возвращает 6 после вызова WinHttpOpenRequest

Я не уверен, если это отсутствие знаний в MSDN или нет. У меня есть следующий код:

    #include "stdafx.h"#include <iostream>
#include <string>
#include <windows.h>
#include <WinHttp.h>
#include "myHTTP.h"int main(){
WinHTTP newHTTP("test", "test");
bool myResult;

newHTTP.httpConnect(L"Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/66.0.3359.181 Safari/537.36",
L"https://pages.awscloud.com/awsomedayonlineconference-reg.html",
1,
L"GET");

newHTTP.httpAddHeader(L"Content-Type: application/x-www-form-urlencoded\r\n");
newHTTP.httpSend();
myResult = newHTTP.httpReceive();newHTTP.closeHandles();
return 0;
}

У меня есть класс для этого и выполняется следующая строка:
// открыть запрос — в данный момент не подключен

hRequest = WinHttpOpenRequest(hConnect, protocol.c_str(), NULL, NULL, WINHTTP_NO_REFERER, WINHTTP_DEFAULT_ACCEPT_TYPES, 0);

if (!hRequest) {
printf("error2: %d", GetLastError());
}

В общем, когда я запускаю свое программное обеспечение, оно возвращается сюда, потому что! Hrequest пуст при вызове winhttpopenrequest. Я добавил getlasterror, чтобы понять, почему это так, но единственный вывод, который я получаю:

error2: 6

Затем я читаю msdn для winhttp и вижу ошибки, возвращаемые функцией здесь: https://msdn.microsoft.com/en-us/library/windows/desktop/aa384099(v=vs.85).aspx но эта таинственная ошибка 6 не имеет смысла для меня.

Любая помощь, чтобы увидеть, почему ручка неверна?

полный код класса:

#pragma once
// WinHTTP wrapper for web protocol -- windows 8.1+
class WinHTTP {

private:
std::string siteUsername, sitePassword;
std::wstring UA, URL;
bool bResult = false;
DWORD dwSize = sizeof(DWORD); // used to handle reading data in bytes
LPSTR pszOutBuffer; // used to Allocate space for the buffer.
DWORD dwDownloaded = 0; // set to null if using asynchronously and use in callback function only
HINTERNET hSession = NULL, hConnect = NULL, hRequest = NULL;

public:
WinHTTP(std::string myuser = "", std::string mypass = "") {
siteUsername = myuser;
sitePassword = mypass;
}

// TODO: update to be able to add proxy details either here or before. do check if proxy has been detected in here and open/connect accordingly
void httpConnect(std::wstring userAgent, std::wstring myURL, int isHTTPS, std::wstring protocol) {

UA = userAgent;
URL = myURL;

std::wstring acceptTypes = L"text/html,application/xhtml+xml,application/xml;q=0.9,image/webp,image/apng,*/*;q=0.8";

int portToUse;
if (isHTTPS == 1) {
portToUse = 443;
}
else {
portToUse = 80;
}

//initialize http and return session handle -- use c_str to convert wstring to LPCWSTR
hSession = WinHttpOpen(UA.c_str(),
WINHTTP_ACCESS_TYPE_NO_PROXY, WINHTTP_NO_PROXY_NAME, WINHTTP_NO_PROXY_BYPASS, 0);

//make the connection request
if (hSession) {
hConnect = WinHttpConnect(hSession, URL.c_str(), portToUse, 0);
}
else {
std::cout << "winhttpconnect error " << GetLastErrorAsString();
}

// open the request - not connected at this point
hRequest = WinHttpOpenRequest(hConnect, protocol.c_str(), NULL, NULL, WINHTTP_NO_REFERER, WINHTTP_DEFAULT_ACCEPT_TYPES, 0);

if (!hRequest) {
std::cout << "winhttpopenrequest error " << GetLastErrorAsString();
}

}

std::string GetLastErrorAsString()
{
//Get the error message, if any.
DWORD errorMessageID = ::GetLastError();
if (errorMessageID == 0)
return std::string(); //No error message has been recorded

LPSTR messageBuffer = nullptr;
size_t size = FormatMessageA(FORMAT_MESSAGE_ALLOCATE_BUFFER | FORMAT_MESSAGE_FROM_SYSTEM | FORMAT_MESSAGE_IGNORE_INSERTS,
NULL, errorMessageID, MAKELANGID(LANG_NEUTRAL, SUBLANG_DEFAULT), (LPSTR)&messageBuffer, 0, NULL);

std::string message(messageBuffer, size);

//Free the buffer.
LocalFree(messageBuffer);

return message;
}

void httpAddHeader(std::wstring myheader) {

if (hRequest) {
bResult = WinHttpAddRequestHeaders(hRequest, myheader.c_str(), (ULONG)-1L, WINHTTP_ADDREQ_FLAG_ADD);
}

}

bool httpSend() {
if (hRequest) {
bResult = WinHttpSendRequest(hRequest, WINHTTP_NO_ADDITIONAL_HEADERS, 0, WINHTTP_NO_REQUEST_DATA, 0, 0, 0);
}

if (!bResult) {
std::cout << "winhttpsendrequest error " << GetLastErrorAsString();
return false;
}
else {
return true;
}
}

bool httpReceive() {

if (bResult) {
bResult = WinHttpReceiveResponse(hRequest, NULL);
}

if (bResult) {

do
{
// Check for available data.
dwSize = 0; //query data available looks for data in bytes
if (!WinHttpQueryDataAvailable(hRequest, &dwSize))
{
std::cout << "WinHttpQueryDataAvailable error " << GetLastErrorAsString();
break;
}

// No more available data.
if (!dwSize)
return false;

// Allocate space for the buffer. as dwSize now holds the size of the request
pszOutBuffer = new char[dwSize + 1];  // just a way of freeing up memory
if (!pszOutBuffer)
{
printf("Out of memory\n"); // couldnt allocate enough
return false;
}

ZeroMemory(pszOutBuffer, dwSize + 1); // fills a block of memory with 0s

// we know the expect size and have the pszoutbffer to write to - read the Data.
if (!WinHttpReadData(hRequest, (LPVOID)pszOutBuffer,
dwSize, &dwDownloaded))
{
std::cout << "WinHttpReadData error " << GetLastErrorAsString();
return false;
}
else
{
printf("%s", pszOutBuffer);
}

// Free the memory allocated to the buffer.
delete[] pszOutBuffer;
return true;

// This condition should never be reached since WinHttpQueryDataAvailable
// reported that there are bits to read.
if (!dwDownloaded)
return false;

} while (dwSize > 0);

}

return false;

}

void closeHandles() {
if (hRequest) WinHttpCloseHandle(hRequest);
if (hConnect) WinHttpCloseHandle(hConnect);
if (hSession) WinHttpCloseHandle(hSession);
}

};

3

Решение

Почему вы получаете код ошибки 6

Код ошибки 6 является Код системной ошибки ERROR_INVALID_HANDLE,

Он говорит вам, что hConnect вы переходите в WinHttpOpenRequest является недействительным.

Вы только проверяете hSession после вашего звонка WinHttpOpen, а также hRequest после вашего звонка WinHttpOpenRequest, Но вы никогда не проверяете, если hConnect является действительным.

Вам нужно проверить hConnect вернулся WinHttpConnect а также, и если это неверно, проверьте GetLastError() перед вызовом другого метода WINAPI:

hSession = WinHttpOpen(UA.c_str(), WINHTTP_ACCESS_TYPE_NO_PROXY, WINHTTP_NO_PROXY_NAME, WINHTTP_NO_PROXY_BYPASS, 0);

if (hSession) {
hConnect = WinHttpConnect(hSession, URL.c_str(), portToUse, 0);

if (hConnect) {
hRequest = WinHttpOpenRequest(hConnect, protocol.c_str(), NULL, NULL, WINHTTP_NO_REFERER, WINHTTP_DEFAULT_ACCEPT_TYPES, 0);

if (!hRequest) {
std::cout << "WinHttpOpenRequest error " << GetLastErrorAsString();
}
}
else {
std::cout << "WinHttpConnect error " << GetLastErrorAsString();
}
}
else {
std::cout << "WinHttpOpen error " << GetLastErrorAsString();
}

Почему ваш звонок WinHttpConnect терпит неудачу

документы скажи нам что WinHttpConnect ожидает название сервера, не URL:

pswzServerName [in]
Указатель на завершающуюся нулем строку, которая содержит имя хоста
HTTP-сервер. Альтернативно, строка может содержать IP-адрес
сайт в ASCII, например, 10.0.1.45.

Однако указанная вами строка содержит недопустимый URL-адрес. Вам нужно изменить "https://pages.awscloud.com/awsomedayonlineconference-reg.html" в "pages.awscloud.com", а затем укажите путь к странице в качестве параметра в WinHttpOpenRequest:

hRequest = WinHttpOpenRequest(hConnect, protocol.c_str(), path.c_str(), NULL, WINHTTP_NO_REFERER, WINHTTP_DEFAULT_ACCEPT_TYPES, 0);

где path строка, содержащая "/awsomedayonlineconference-reg.html",

Для этого вы можете разбить свой URL на части или изменить httpConnect метод, чтобы получить имя сервера и путь как отдельные параметры.

3

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

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

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