0

我有一个 MFC 程序,它调用一个 C dll,它在发布时崩溃,但在调试中没有。我尝试使用 fprintf 将消息写入文件,这适用于第一次通过程序。但是,程序在第二次运行计算时会崩溃。

在将调试日志文件作为 C 例程顶部的第一个可执行语句写入后,我立即关闭它。信息在第一次计算后写入日志文件,但不是在第二次计算期间。

有什么建议么?

4

1 回答 1

0

在处理此类需要日志记录工具的问题时,我通常会编写一个调用日志记录的函数。然后我将该函数包装在一个允许我启用或禁用日志记录的宏中。作为其中的一部分,我有时也会使用调试级别指示器,这样就不会将所有日志都放入日志文件中。

日志记录函数将作为一个单独的小型库单独存在于一个文件中。将有一个包含文件,其中包含日志库函数原型和一个用于启用或禁用日志记录的宏。

我发现根据应用程序的类型,有些事情可能对日志有帮助,例如将每个日志的时间戳记到秒或毫秒。我还发现,使用标准行长可以更轻松地在文本编辑器中查看日志。了解源文件的路径以及源代码行号会很有帮助。

以下代码是徒手编写的,尚未经过测试甚至编译,因此其中可能有一两个错误。

实际的日志记录函数,让我们调用它将LogWriteLog()被包装在一个宏中,如下所示:

#define LOGISSUELOG(level,logtext)  LogWriteLog(level, logtext, __FILE__, __LINE__);

通过使用宏,您可以通过更改宏定义来启用或禁用日志记录。这个宏还会自动生成源文件的路径和日志的源行号。

为此,当我想将变量作为日志的一部分时,我有时会将其包装到以下预处理器代码序列中。大括号允许在源中插入多行并具有局部范围的 char 变量。

#if defined(LOGISSUELOG)
{
    char  xBuff[128];
    sprintf (xBuff, "value 1 %d, error %d", iValue, iErrorStatus);
    LOGISSUELOG(4, xBuff);
}
#endif

简单的日志库只有几个功能,一个是打开日志文件并指定调试级别,第二个是实际执行日志,第三个是完成后关闭日志文件。

使用标准 CI/O 例程,实际的日志记录功能将如下所示。你也需要string.hstdio.h为此。此外,您可能需要考虑是否在每次重新启动时截断文件,或者是否要对文件进行追加。

我也这样做是检查文件大小以及当它达到一定大小时fseek ()到文件的开头环绕。如果你正在做环绕,时间戳几乎成为必需品。如果进行环绕真的使所有日志行的标准线宽成为必要,那么事情就会排成一行。

    // allocate the file scope globals used by the logging library
    static FILE  *fpLogWriteLog = 0;
    static int   iLogDebugLevel = 0;

    int LogOpenLog (int iDebugLevel, char *aszLogFilePath)
    {
        // open the log file for writing, truncating what is there already
        fpLogWriteLog = fopen (aszLogFilePath, "w");
        iLogDebugLevel = iDebugLevel;

        return (fpLogWriteLog == 0) ? 0 : 1;
    }

    void LogCloseLog (void)
    {
        if (fpLogWriteLog)
            fclose (fpLogWriteLog);
    }

    // allow the debug logging level to be changed.
    //return the current value so that it can be used in another call to set it back.
    int LogChangeLogLevel (int iDebugLevelNew)
    {
        int iDebugLevelSave = iLogDebugLevel;

        iLogDebugLevel = iDebugLevelNew;
        return iDebugLevelSave;
    }

    // write a log to the log file
    int LogWriteLog (int iDebugLevel, char *aszLogText, char *aszFileName, int iLineNo)
    {
          int iRetStatus = 0;

          if (fpLogWriteLog && iDebugLevel < iLogDebugLevel) {
            int iLen = strlen (aszFileName);

            // we will keep only the last 30 characters of the source file path
            if (iLen > 30)
                iLen = 30;
            else
                iLen = 0;

            // use print specifiers to provide the same line width for the output log
            // use %-60.60s to print log text in case of print format specifiers in it
            fprintf (fpLogWriteLog, "%3.3d %-30.30s - %6.6d: %-60.60s", iDebugLevel, aszFileName + iLen, iLineNo, aszLogText);
            fflush (fpLogWriteLog);
            iRetStatus = 1;
          }
          return iRetStatus;
    }
于 2012-08-10T01:43:01.723 回答