1

所以这是我将当前名称的文件保存为文件名的功能。

cur_date = curDate(); 
cur_date.append(".txt");
myfile.open(cur_date.c_str(), std::ios::out | std::ios::app);

if (myfile.is_open()) 
{ 
    std::cout << message; 
    myfile << message; myfile << "\n"; 
    answer.assign("OK\n"); 
    myfile.close(); 
} else 
{ 
    std::cout << "Unable to open file\n" << std::endl; 
    answer.assign("ERR\n"); 
}

这是日期函数:

const std::string server_funcs::curDate() 
{ 
    time_t now = time(0); 
    struct tm tstruct; 
    char buf[80]; 
    tstruct = *localtime(&now);

    strftime(buf, sizeof(buf), "%Y-%m-%d_%X", &tstruct);

    return (const std::string)buf; 
}

我的问题是,open() 函数没有创建新文件,因此它转到 if 子句的 else 部分。但是当我使用不同的 char* 作为名称或静态输入时,它工作正常。所以我认为它与 curDate() 函数有关,但我不知道是什么......另外,如果我打印 cur_date().c_str() 它显示正常..

4

1 回答 1

2

函数 curDate() 以“2013-10-15_19:09:02”的形式返回一个字符串。因为你在这个字符串中有冒号,所以它不是一个允许的文件名。这就是 open 函数失败的原因。

要将冒号替换为点(例如),请更改为以下代码。此代码将指定另一种包含点而不是冒号的时间格式:

#include <algorithm>

const std::string server_funcs::curDate() 
{ 
    time_t now = time(0); 
    struct tm tstruct; 
    char buf[80]; 
    tstruct = *localtime(&now);

    strftime(buf, sizeof(buf), "%Y-%m-%d_%H.%M.%S", &tstruct);

    std::string result = buf;
    return result; 
}
于 2013-10-15T17:10:28.687 回答