与snprintf和size_t len混淆

时间:2013-03-14 05:37:47

标签: c++ module printf

对于我的第十亿个问题感到抱歉,但我无法弄清楚我的实施需要什么。

我有这样一个名为fmttimetest.cc(包含main)的测试文件,它是包含fmttime.h和fmttime.cc(实现文件)的模块的一部分

在fmttime.cc中我有这个功能

 28 ExpandedTime* localTime(struct timeval* tv, ExpandedTime* etime)
 29 {
 30     tzset();                                    // Corrects timezone
 31
 32     int epochT = (tv->tv_sec) - timezone;       // Epoch seconds with
 33     int epochUT = tv->tv_usec;                  // Timezone correction
 34
 35     int seconds = epochT % 60;
 36     epochT /= 60;
 37     etime->et_sec = seconds;
 38     etime->et_usec = epochUT;
 39
 40     int minutes = epochT % 60;
 41     epochT /= 60;
 42     etime->et_min = minutes;
 43
 44     int hours = (epochT % 24) + daylight;       // Hours with DST correction
 45     epochT /= 24;
 46     etime->et_hour = hours;
 47
 48
 49     printf("%d,%d,%d\n", seconds, minutes, hours);
 50     printf("%d\n", epochUT);
 51     printf("%d\n", timezone);
 52     printf("%d\n", daylight);
 53     return etime;
 54
 55 }
 56
 57 char* formatTime(struct timeval* tv, char* buf, size_t len)
 58 {
 59
 60 struct ExpandedTime etime2;
 61 localTime(tv, &etime2);
 62 snprintf();
 63 }

*请注意包含结构扩展时间的顶行代码是截止的,但我向您保证它们已正确实施

现在在我的主测试文件fmttimetest.cc中,我调用了formatTime函数。但是我对缓冲区和size_t len如何进行交互感到困惑。我在某种程度上知道size_t len是什么......它可以说明一个对象的大小。所以在我的主test.cc中我有这个

  6 #include <curses.h>
  7 #include <sys/time.h>
  8 #include <time.h>
  9 #include "fmttime.h"
 10
 11 struct timeval tv;
 12
 13 int main()
 14 {
 15 char buf[] = {"%d"};
 16 size_t len;
 17 gettimeofday(&tv, NULL);
 18 formatTime(&tv, buf, len);
 19 }

所以我很困惑。我需要传递此缓冲区,以便我的实现程序可以以人类可读的格式(例如,日,小时,分钟,秒)向此缓冲区写入纪元时间。 我迷失了,我将如何做到这一点。我不能改变它们原样给出的任何函数原型,并且应该按原样使用......

我也不确定如何在使用它来将时间打印到传递的缓冲区的上下文中使用snprintf()....

再次感谢读过这篇文章的人。

2 个答案:

答案 0 :(得分:1)

调用formatTime的正确方法是:

int main()
{
    char buf[64];
    size_t len = sizeof(buf);
    gettimeofday(&tv, NULL);
    formatTime(&tv, buf, len);
}

所以你传入缓冲区及其长度。然后缓冲区内容由formatTime写入。

编辑:缓冲区当然需要有一些足够的长度:)

要在您的时间结构中使用snprintf,您可以执行以下操作(未经测试):

snprintf(buf, len, "%02i:%02i:%02i", etime2.et_hour, etime2.et_min, etime2.et_sec);

答案 1 :(得分:0)

buffer,是一个字符数组。在您的情况下,它代表一个字符串。 c中的字符串定义为'\ 0'终止字符数组。缓冲区的大小是字符串的长度+'\ 0'符号。

让我们进一步检查:

char buf[] = {"%d"};
size_t len;
len = strlen(buf); // strlen returns the length without the zero terminating char.
len = sizeof(buf); // Because buf is preallocated in compilation, you can get it's length, this includes the zero at the end.