3

我需要验证字符串。该字符串的格式类似于“V02:01:02:03:04”。
我正在尝试做的事情
1)我想检查是否提供了正确的长度
2)第一个字符是“V”
3)所有其他字符都是 2 个字母数字,并用冒号分隔并位于正确的位置。
4)没有空格标签等。c
4)想不出更多的验证。

到目前为止我所做的
1) 函数很容易检查 len 和 first char,而不是验证 first 之后的后续字符不包含 alpha 或空格。但是我对如何检查冒号位置和每个冒号后的 2 个字母字符有点卡住了。

下面是我的尝试。

 int firmwareVerLen = 15;
const std::string input = "V02:01:02:03:04"; // this is the format string user will input  with changes only in digits.
bool validateInput( const std::string& input )
{
    typedef std::string::size_type stringSize;
    bool result = true ;
    if( firmwareVerLen != (int)input.size() )
    {       
      std::cout <<" len failed" << std::endl;
      result = false ;
    }

    if( true == result )
   {

        if( input.find_first_of('V', 0 ) )
        {
             std::cout <<" The First Character is not 'V' " << std::endl;
             result = false ;
         }
   }

   if( true == result )
   {
        for( stringSize i = 1 ; i!= input.size(); ++ i )
       {
            if( isspace( input[i] ) )
           {
               result = false;
               break;
           }
           if( isalpha(input[i] ) )
            {
               cout<<" alpha found ";
               result = false;
               break;
            }

             //how to check further that characters are digits and are correctly  separated by colon
        }
    }

   return result;
 }
4

3 回答 3

2

如果是这么严格的验证,为什么不逐个字符地检查呢?例如(假设你已经完成了尺寸)

  if (input[0] != 'V')
    return false;
  if (!std::isdigit(input[1]) || !std::isdigit(input[2]))
    return false;
  if (input[3] != ':')
    return false;
  // etc...
于 2012-07-12T16:15:39.693 回答
0

从第一个数字开始,所有字符都必须是数字,除非位置模 3 为 0,否则它必须是冒号。

HTH 托斯滕

于 2012-07-12T16:17:26.867 回答
0

对于这么短的输入和严格的格式,我可能会做这样的事情:

bool validateInput( const std::string& input )
{
    static const size_t digit_indices[10] = {1, 2, 4, 5, 7, 8, 10, 11, 13, 14};
    static const size_t colon_indices[4] = {3, 6, 9, 12};
    static const size_t firmwareVerLen = 15;

    static const size_t n_digits = sizeof(digit_indices) / sizeof(size_t);
    static const size_t n_colons = sizeof(colon_indices) / sizeof(size_t);

    if (input.size() != firmwareVerLen) return false;     // check 1)
    if (input[0] != 'V') return false;                    // check 2)

    for (size_t i = 0; i < n_digits; ++i)                       // check 3)
        if (!is_digit(input[digit_indices[i]]) return false;

    for (size_t i = 0; i < n_colons; ++i)                        // check 3)
        if (input[colon_indices[i]] != ':') return false;

    // check 4) isn't needed

    return true;
}

如果输入格式发生变化,IMO 相当容易维护。

于 2012-07-12T17:01:51.390 回答