#include <winsock2.h>
#include <windows.h>
#include <iostream>
#pragma comment(lib,"ws2_32.lib")
using namespace std;
int main (){
WSADATA wsaData;
if (WSAStartup(MAKEWORD(2,2), &wsaData) != 0) {
cout << "WSAStartup failed.\n";
system("pause");
return 1;
}
SOCKET Socket=socket(AF_INET,SOCK_STREAM,IPPROTO_TCP);
struct hostent *host;
host = gethostbyname("127.0.0.1");
SOCKADDR_IN SockAddr;
SockAddr.sin_port=htons(80);
SockAddr.sin_family=AF_INET;
SockAddr.sin_addr.s_addr = *((unsigned long*)host->h_addr);
cout << "Connecting...\n";
if(connect(Socket,(SOCKADDR*)(&SockAddr),sizeof(SockAddr)) != 0){
cout << "Could not connect";
system("pause");
return 1;
}
cout << "Connected.\n";
char header[]="POST /xampp/tests/file/upload_file.php HTTP/1.1\r\nHost: 127.0.0.1 \r\n Content-Disposition: form-data\r\n uname=sase \r\n Connection: close\r\n\r\n ";
send(Socket,header, strlen(header),0);
char buffer[100000];
int nDataLength;
while ((nDataLength = recv(Socket,buffer,100000,0)) > 0){
int i = 0;
while (buffer[i] >= 32 || buffer[i] == '\n' || buffer[i] == '\r') {
cout << buffer[i];
i += 1;
}
}
closesocket(Socket);
WSACleanup();
system("pause");
return 0;
}
我从互联网上获取此代码,如何使用POST方法发送文件。我在这里待了5个多小时。请帮忙。还有另一种方法可以在不使用其他库的情况下使用c ++发送http-headers /上传。
答案 0 :(得分:1)
在HTTP协议中,表单的数据位于正文中,而不是标题中。标题通过空行(\r\n\r\n
)与正文分隔。在您的代码中,您尝试在标头中发送数据,这是不正确的。您还使用Content-Disposition
标题。事实上,你并不需要它。您需要Content-Type
和Content-Length
标题。
char header[]="POST /xampp/tests/file/upload_file.php HTTP/1.1\r\n"
"Host: 127.0.0.1\r\n"
"Content-Type: application/x-www-form-urlencoded\r\n"
"Content-Length: 10\r\n"
"Connection: close\r\n"
"\r\n"
"uname=sase";
\n
转义序列似乎有些混乱。 C ++标准将\n
定义为2.14.3中的单个LF字符,并说明所有转义序列:
转义序列指定单个字符。
8.5.2通过一个例子证实了这一点:
char msg[] = "Syntax error on line %s\n";
显示一个字符数组 其成员使用字符串文字初始化。注意 因为'\ n'是单个字符,因为尾随'\ 0'是 附加,sizeof(msg)是25。 - 例子]