将字符串时间戳HH:MM:SS转换为C中的整数

时间:2014-03-11 02:05:25

标签: c string timestamp atoi

原谅我的天真,我只是第一次学习C语言。基本上我有一系列字符串,其中包含格式为“HH:MM:SS”的时间戳。我正在寻找一个int tsconvert(char *)形式的函数,它可以将时间戳转换为整数。这是我到目前为止编写的一些代码

int tsconvert(char *timestamp)
{
    int x;
    removeColon(timestamp,8);
    x = atoi(timestamp);
    return x; 
}

void removeColon(char *str1, int len)    
{
    int j = 0;
    for (int i = 0; i < len; i++)
    {
        if (str1[i] == ':')
        {
            continue;
        }

        else
        {
            str1[j] = str1[i];
            j++;
        }
    }

    str1[j] = '\0';
}

当我尝试使用此代码时,我收到了分段错误。我的编程类中的一些人建议我只是从时间戳中提取数字并将它们放在一个新的字符串中,但我不知道该怎么做。

2 个答案:

答案 0 :(得分:0)

要从时间戳(HH:MM:SS)中提取数字,只需使用sscanf():

const char *str = "01:02:03";
int h, m, s;
sscanf(str, "%d:%d:%d", &h, &m, &s);
printf ("%d, %d, %d\n", h, m, s);

答案 1 :(得分:0)

我的建议与@scari没什么不同,但建议添加错误检查

// -1 error else 0 - 86399
long tsconvert(const char *timestam) {
  unsigned h, m, s;
  int n = 0;
  int cnt = sscanf(timestam, "%2u:%2u:%2u %n", &h, &m, &s, &n);
  if (cnt != 3 || timestam[n] != '\0') return -1 ; // Format Error;
  if (h >= 24 || m >= 60 || s >= 60) return -1; // Range Error
  // 0 - 86400-1
  return ((h*60 + m)*60L + s;
}