如何检查字符串是否全部小写和字母数字?

时间:2012-07-03 00:30:07

标签: c++ string lowercase alphanumeric

是否有检查这些案例的方法?或者我是否需要解析字符串中的每个字母,并检查它是否是小写字母(字母)并且是数字/字母?

6 个答案:

答案 0 :(得分:4)

您可以使用islower()isalnum()来检查每个字符的条件。没有字符串级别的功能,所以你必须自己编写。

答案 1 :(得分:3)

它并不是很有名,但实际上的区域设置具有一次确定整个字符串特征的功能。具体来说,区域设置的ctype方面有一个scan_is和一个scan_not,用于扫描符合指定蒙版的第一个字符(字母,数字,字母数字,下,上,标点符号,空格,十六进制数字等),或分别不适合它的第一个。除此之外,它们的工作方式有点像std::find_if,返回您作为“结束”传递的任何信号失败,否则返回指向字符串中第一个不符合您要求的项目的指针。 / p>

以下是一个快速示例:

#include <locale>
#include <iostream>
#include <iomanip>

int main() {

    std::string inputs[] = { 
        "alllower",
        "1234",
        "lower132",
        "including a space"
    };

    // We'll use the "classic" (C) locale, but this works with any
    std::locale loc(std::locale::classic());

    // A mask specifying the characters to search for:          
    std::ctype_base::mask m = std::ctype_base::lower | std::ctype_base::digit;

    for (int i=0; i<4; i++) {
        char const *pos;
        char const *b = &*inputs[i].begin();
        char const *e = &*inputs[i].end();

        std::cout << "Input: " << std::setw(20) << inputs[i] << ":\t";

        // finally, call the actual function:
        if ((pos=std::use_facet<std::ctype<char> >(loc).scan_not(m, b, e)) == e)
            std::cout << "All characters match mask\n";
        else
            std::cout << "First non-matching character = \"" << *pos << "\"\n";
    }
    return 0;
}

我怀疑大多数人会更喜欢使用std::find_if - 使用它几乎相同,但是可以很容易地推广到更多情况。虽然它的适用性要窄得多,但用户并不是那么容易(虽然我想如果你正在扫描大量的文本块,它可能至少要快一点)。

答案 2 :(得分:2)

假设“C”语言环境可以接受(或交换criteria的不同字符集),请使用find_first_not_of()

#include <string>

bool testString(const std::string& str)
{
      std::string criteria("abcdefghijklmnopqrstuvwxyz0123456789");
      return (std::string::npos == str.find_first_not_of(criteria);
}

答案 3 :(得分:0)

你可以使用tolower&amp; strcmp来比较original_string和tolowered字符串。并且每个字符单独执行数字。

(OR)每个角色都做如下。

#include <algorithm>

static inline bool is_not_alphanum_lower(char c)
{
    return (!isalnum(c) || !islower(c));
}

bool string_is_valid(const std::string &str)
{
    return find_if(str.begin(), str.end(), is_not_alphanum_lower) == str.end();
}

我使用了以下信息: Determine if a string contains only alphanumeric characters (or a space)

答案 4 :(得分:0)

如果您的字符串包含ASCII编码的文本,并且您想编写自己的函数(就像我一样),那么您可以使用它:

bool is_lower_alphanumeric(const string& txt)
{
  for(char c : txt)
  {
    if (!((c >= '0' and c <= '9') or (c >= 'a' and c <= 'z'))) return false;
  }
  return true;
}

答案 5 :(得分:0)

只需使用std::all_of

bool lowerAlnum = std::all_of(str.cbegin(), str.cend(), [](const char c){
    return isdigit(c) || islower(c);
});

如果您不关心语言环境(即输入为纯7位ASCII),则可以将条件优化为

[](const char c){ return ('0' <= c && c <= '9') || ('a' <= c && c && 'z'); }