我在读取jpg文件时遇到问题。我想通过套接字发送jpg图像的纯文本值,所以我以二进制模式打开了文件,以为那可以用,但是不行。这是我的代码:

system("./imagesnap image.jpg");
ifstream image("image.jpg", ios::in | ios::binary);
char imageChar[1024];
string imageString;
while (getline(image, imageString))
{
    for (int h; imageString[h] != '\0'; h++) {
        imageChar[h] = imageString[h];
    }
    send(sock, imageChar, strlen(imageChar), 0);
    for (int k = 0; imageChar[k] != '\0'; k++) {
        imageChar[k] = '\0';
    }
}

这是我的输出:
????

如您所见,该文件没有以二进制模式打开,或者它不能工作。

谁能帮忙吗?

最佳答案

使用read()而不是getline()。确保使用其返回值。

#include <sys/types.h>
#include <sys/socket.h>
#include <iostream>
#include <fstream>

void SendFile(int sock) {
  std::ifstream image("image.jpg", std::ifstream::binary);
  char buffer[1024];
  int flags = 0;
  while(!image.eof() ) {
    image.read(buffer, sizeof(buffer));
    if (send(sock, buffer, image.gcount(), flags)) {
      ; // handle error
    }
  }
}

08-19 19:04