C++ 控制台:解析 METAR 数据

C++ Console : Parsing METAR data

我正在开发我的第一个 Web 应用程序(天气可视化),它在后端需要一些简单的 C++。我使用 wget 下载原始文本,使用 C++ 控制台解析数据,然后写入 HTML。到目前为止效果很好。

METAR 基本上是一个站点的原始天气数据。 (时间、日期、条件、温度等)。我目前使用的是:

2018/08/10 08:09
KBAZ 100809Z AUTO 00000KT 10SM BKN012 26/23 A3002 RMK AO2 T02610233

我已经能够将每组数据存储到不同的变量中。我正在查看的设置是上面的“26/23”,这是摄氏温度和露点。

到目前为止,我有一个名为 tempAndDewpoint 的字符串,其中存储了“26/23”...我正在使用 substr(0,2) 来 return 一个名为 temperature 的新字符串中的正确温度。 (因为第一个数字是温度)。这很好用。

我的问题是,如果温度低于 10 度(例如 9 度)会怎样?我不能再使用 substring(0,2) 因为那会 return “9/” 作为当前温度。

我希望能找到一些对我来说复制起来不太复杂的指导。我什至不确定如何命名这个问题,因为我不确定这个问题叫什么。一定很普遍吧?

简单的解决方案是根本不存储为字符串。将字符串拆分为两个独立的数字。正如另一个答案中所述,您确实需要注意 "M" 作为负数的前缀,但没有 read 来手动解析数字:

int parseNum(const std::string& str)
{
    size_t pos;
    int num;
    if (!str.empty() && str.front() == 'M')
    {
        num = -std::stoi(str.substr(1), &pos);
        if (pos != str.size() - 1)
        {
          throw std::invalid_argument("invalid input");
        }
    }
    else
    {
        num = std::stoi(str, &pos);
        if (pos != str.size())
        {
          throw std::invalid_argument("invalid input");
        }
    }
    return num;
}

size_t slash = tempAndDewpoint.find("/");
if (slash == std::string::npos)
{
  throw std::invalid_argument("invalid input");
}
int temp = parseNum(tempAndDewpoint.substr(0, slash));
int dew = parseNum(tempAndDewpoint.substr(slash + 1));

注意:METAR 中的负温度以 M 为前缀。因此这些是有效的温度组:5/M2 或 M8/M12(负露点实际上是结冰点)。所以我不会在这里使用自定义解析器:

struct TTD {
    short int t;
    short int td;

    bool parse(const char *tempAndDewpoint) {
        const char *next;
        t = parse_partial(tempAndDewpoint, &next);
        if (*next != '/') return false;
        td = parse_partial(next + 1, &next);
        return (*next == '[=10=]');
    }

private:
    static short int parse_partial(const char *beg, const char **next) {
        bool neg = false;
        short int val = 0;
        if (*beg == 'M') {
            neg = true;
            beg += 1;
        }
        while (*beg >= '0' && *beg <= '9') {
            val = val * 10 + (*beg -  '0');
            beg += 1;
        }
        *next = beg;
        if (neg) val = -val;
        return val;
    }

};