我的问题类似于this,但我有两个字符串(如char *
),任务是用{strnicmp
替换boost::iequals
函数(仅适用于MS VC) {1}}。
注意strnicmp
不是stricmp
- 它只比较前n个字符。
有没有比这更简单的解决方案:
void foo(const char *s1, const char *s2)
{
...
std::string str1 = s1;
std::string str2 = s2;
int n = 7;
if (boost::iequals(str1.substr(0, n), str2)) {
...
}
}
答案 0 :(得分:5)
如果确实有必要,请编写自己的函数:
bool mystrnicmp(char const* s1, char const* s2, int n){
for(int i=0; i < n; ++i){
unsigned char c1 = static_cast<unsigned char>(s1[i]);
unsigned char c2 = static_cast<unsigned char>(s2[i]);
if(tolower(c1) != tolower(c2))
return false;
if(c1 == '\0' || c2 == '\0')
break;
}
return true;
}
答案 1 :(得分:4)
对于不区分大小写,您需要自定义比较功能 (或仿函数):
struct EqIgnoreCase
{
bool operator()( char lhs, char rhs ) const
{
return ::tolower( static_cast<unsigned char>( lhs ) )
== ::tolower( static_cast<unsigned char>( rhs ) );
}
};
如果我理解正确,您正在检查前缀。该 最简单的方法是:
bool
isPrefix( std::string const& s1, std::string const& s2 )
{
return s1.size() <= s2.size()
&& std::equals( s1.begin(), s1.end(), s2.begin(), EqIgnoreCase() );
}
(注意检查尺寸。s1
不能是s2
的前缀
它比s2
长。当然,std::equals
会
遇到未定义的行为,如果s1
长于s2
{{1}}。)
答案 2 :(得分:2)
对于根据C字符串(字符指针)定义的函数,“向上”到STL字符串似乎非常低效,但也许这对我来说是完全过早的想法。
我认为直接的C解决方案“更简单”,但这又取决于一个人的观点。
#include <ctype.h>
void foo(const char *s1, const char *s2)
{
size_t i, n = 7;
for(i = 0; i < n; i++)
{
if(tolower(s1[i]) != tolower(s2[i]))
return;
if(s[i] == '\0' && s2[i] == '\0')
break;
}
/* Strings are equal, do the work. */
...
}
这假设如果两个字符串在前缀长度用尽之前结束,那就是匹配。
当然,上面假设tolower()
有意义的ASCII字符串。
答案 3 :(得分:1)
我建议自己编写这个函数,如下:
bool strnicmp2(const char *s, const char *t, size_t n) {
while (n > 0 && *s && *t && tolower(*s) == tolower(*t)) {
++s;
++t;
--n;
}
return n == 0 || !*s || !*t;
}
答案 4 :(得分:1)
这样的事情应该有效..
#include <iostream>
#include <string>
#include <cctype>
#include <cstring>
#include <algorithm>
struct isequal
{
bool operator()(int l, int r) const
{
return std::tolower(l) == std::tolower(r);
}
};
bool istrncmp(const char* s1, const char* s2, size_t n)
{
size_t ls1 = std::strlen(s1);
size_t ls2 = std::strlen(s2);
// this is strict, but you can change
if (ls1 < n || ls2 < n)
return false;
return std::equal(s1, s1 + n, s2, isequal());
}
int main(void)
{
std::cout << istrncmp("fooB", "fooA", 3) << std::endl;
std::cout << istrncmp("fooB", "fooA", 5) << std::endl;
std::cout << istrncmp("fooB", "f1oA", 3) << std::endl;
return 0;
}
答案 5 :(得分:1)
我不知道这是否更简单,但它的线数更少,速度也应该不错。
#include <boost/iterator/transform_iterator.hpp>
#include <algorithm>
#include <cctype>
bool equal_insensitive_n( char const *a, char const *b, size_t n ) {
n = std::min( n, std::min( ::strlen( a ) + 1, ::strlen( b ) + 1 ) );
#define tilc(S) boost::make_transform_iterator( (S), ::tolower )
return std::equals( tilc(a), tilc(a) + n, tilc(b) );
#undef tilc
}