我正在使用Windows套接字将一些文件上传到FTP服务器。我正在搜索具有特定关键字的文件,如果文件名包含该关键字,则发送到服务器。代码是这样的:
void FTPUpload(const char* path, const char* name)
{
SOCKET s1 = ConnectFTP("111.111.111.111", 21);
Receive(s1);
Send(s1, "USER user", true);
Receive(s1);
Send(s1, "PASS password", true);
Receive(s1);
Send(s1,"PWD", true);
Receive(s1);
Send(s1,"TYPE I", true);
Receive(s1);
Send(s1, "PASV", true);
char szString[1000];
Receive(s1, szString);
char szIP[40];
char* start = strchr(szString, '(' );
char* end = strchr(szString, ')' );
int num = end - start;
char str[30] = {'\0'};
strncpy( str, start + 1, num - 1 );
char* token = strtok( str , "," );
strcpy(szIP, "");
strcat(szIP, token);
strcat(szIP, ".");
token = strtok( NULL, "," );
strcat(szIP, token);
strcat(szIP, ".");
token = strtok( NULL, "," );
strcat(szIP, token);
strcat(szIP, ".");
token = strtok( NULL, "," );
strcat(szIP, token);
token = strtok( NULL, "," );
int intA = atoi(token);
token = strtok( NULL, "," );
int intB = atoi(token);
int port = (intA * 256) + intB;
sprintf(buf, "IP %s, Port %d", szIP, port);
//connect to FTP Server Data Connection
SOCKET s2 = ConnectFTP(szIP, port);
string command = "STOR " + string(name);
Send(s1, &command[0], true);
Receive(s1);
//Send the found file
long Begin;
long End;
char * block;
ifstream myfile;
myfile.open(path, ios::in | ios::binary);
Begin = myfile.tellg();
myfile.seekg(0,ios::end);
End = myfile.tellg();
unsigned long size = End - Begin;
int Div = (int)size / 1024;
int Mod = (int)size % 1024;
for (int i=0; i<Div; i++)
{
block = new char[1024];
myfile.seekg(i*1024);
myfile.get(block,1024+1);
Send(s2,block, false);
}
if (Mod != 0)
{
block = new char[Div];
myfile.seekg(Div*1024);
myfile.get(block,Mod+1);
Send(s2,block, false);
}
closesocket(s2);
myfile.close();
Receive(s1);
Send(s1, "QUIT", true);
Receive(s1);
closesocket(s1);
}
void FindFile()
{
string keyword = "key";
string path = "C:\\";
string ipath = path+"*";
WIN32_FIND_DATA file;
HANDLE search_handle = FindFirstFile(ipath.c_str(),&file);
if (search_handle != INVALID_HANDLE_VALUE)
{
do
{
string cpath = path + file.cFileName;
DWORD attr = GetFileAttributes(cpath.c_str());
if ((attr & (0x10)) != (0x10))
{
if ((cpath.find(keyword)) != (string::npos))
FTPUpload(cpath.c_str(), file.cFileName);
}
}
while(FindNextFile(search_handle,&file));
FindClose(search_handle);
}
}
当目录中有2个与该关键字匹配的文件时,程序运行正常。在第三个文件中,我在dbgheap.c中获得了bad_alloc的异常,即我在从堆分配和释放内存时遇到问题。请帮助。
答案 0 :(得分:0)
这是错误的
block = new char[1024];
myfile.seekg(i*1024);
myfile.get(block,1024+1);
块是1024字节但是读取1024个字符,然后附加一个'\ 0'字符。也许您打算使用read
而不是get
。
这是错误的
block = new char[Div];
myfile.seekg(Div*1024);
myfile.get(block,Mod+1);
块是Div字节但你读的是Mod字节。
可能没有帮助解决这个问题但是试图摆脱分配数组的习惯。使用std::string
和std::vector
是一种更安全,更简单的选择。 E.g。
myfile.seekg(i*1024);
vector<char> block(1024);
myfile.read(&block[0],block.size());