5

希望有人可以提供帮助。我正在修复很久以前编写的某人的 C 代码中的一个问题,他已经继续前进。

这段代码输出特定文件的时间戳。该代码在 Windows 上运行时运行良好,但在 Linux 上运行时显示年份不正确。年份没有在linux上显示,它显示35222。有谁知道这里有什么问题?

谢谢

窗口输出:

Source file: test.dtl, Created: Mon, 27 May, 2013 at 16:13:20

Linux 输出:

Source file: test.dtl, Created: Mon, 27 May, 35222 at 16:13:20

C代码中的函数:

void SummaryReport ( report_t *report, char *dtlName)
{      
       LogEntry(L"SummaryReport entry\n");

       int                  i;
       wchar_t              *rootStrType,*localStr,timeStr[48];
       wchar_t              fileBuff[64];

       struct tm *timeVals;
       timeVals = localtime (&logHdr.date);
       wcsftime (timeStr,47,L"%a, %#d %b, %Y at %X",timeVals);

       /*  Print the header information  */
       DisplayReportFile (report);
       ReportEntry (report,L" Filesystem Audit Summary Report\n\n");
       ReportEntry (report,L"Source file: %s, Created: %ls\n\n",dtlName,timeStr);
       ReportEntry (report,L"Server: %ls",srvrName);
…
}
4

2 回答 2

1

验证了一个最小的例子,它“为我工作”。这是否显示正确的时间?

#include <wchar.h>
#include <time.h>


int main() {
        wchar_t timeStr[48];
        struct tm *timeVals;
        time_t now = time(NULL);
        timeVals = localtime(&now);
        wcsftime(timeStr, 47, L"%a, %#d %b, %Y at %X", timeVals);
        wprintf(timeStr);
        return 0;
}

如果是,请检查文件本身 - 如果您正在共享文件系统,那么文件时间戳本身可能存在一些奇怪的问题?(或了解 fs 元数据)

于 2013-06-28T18:48:57.833 回答
1

如果wcsftime()它自己调用localtime(),请确保您的调用结果没有损坏。

struct tm timeVals;
timeVals = *localtime (&logHdr.date);
wcsftime (timeStr,47,L"%a, %#d %b, %Y at %X", &timeVals);

localtime()将其结果保存在某处的静态结构 tm 中。返回指向该位置的地址(指针)。后续调用 localtime()gmtime()更改 struct tm。wcsftime()我怀疑在 Linux 中间接调用是这样做的。

顺便说一句:localtime() 可以返回 NULL,因此更安全的代码会检查 localtime() 返回值。

您可能想查看localtime_s()

于 2013-06-28T21:09:15.160 回答