出于专业的好奇心,比较C中两个完全数字字符串最安全/最快/最有效的方法是什么?
#include <stdio.h>
#include <string.h>
#include <stdlib.h>
int main(void){
char str1[5] = "123";
char str2[5] = "123";
char *ptr;
if(atoi(str1) == atoi(str2))
printf("Equal strings");
if(strtol(str1,&ptr,10) == strtol(str2,&ptr,10))
printf("Equal strings");
if(strcmp(str1,str2)==0)
printf("Equal strings");
return 0;
}
答案 0 :(得分:9)
strcmp ()
,因为它不需要任何数字转换。但在这种情况下,您需要确保其中一个存储仅包含数字字符的字符串。
你也可以对字符串
进行memcmp ()
<强> EDIT1 强>
正如其他人对前导零的指出,您可以手动扫描前导零并通过将指针传递给第一个非零数字来调用strcmp ()
或memcmp ()
。
<强> EDIT2 强>
以下代码说明了我想说的内容。这仅适用于整数,而不适用于浮点数。
int main (void)
{
char s1[128], s2[128];
char *p1 = s1, *p2 = s2;
/* populate s1, s2 */
while (*p1 && (*p1 == '0'))
p1++;
while (*p2 && (*p2 == '0'))
p2++;
if (strcmp (p1, p2) == 0)
printf ("\nEqual");
else
printf ("\nNot equal");
printf ("\n");
return 0;
}
对于浮点数,小数点后的尾随零点应手动切除。
或者手动完成整个过程。
<强> EDIT4 强>
我还希望你看看这个浮点代码。这将检测小数点前的前导零和小数后的尾随零。例如
对于以下代码, 00000000000001.10000000000000
和1.1
将为Equal
int main (void)
{
char s1[128], s2[128];
char *p1, *p2, *p1b, *p2b;
printf ("\nEnter 1: ");
scanf ("%s", s1);
printf ("\nEnter 2: ");
scanf ("%s", s2);
p1 = s1;
p2 = s2;
/* used for counting backwards to trim trailing zeros
* in case of floating point
*/
p1b = s1 + strlen (s1) - 1;
p2b = s2 + strlen (s2) - 1;
/* Eliminate Leading Zeros */
while (*p1 && (*p1 == '0'))
p1++;
while (*p2 && (*p2 == '0'))
p2++;
/* Match upto decimal point */
while (((*p1 && *p2) && ((*p1 != '.') && (*p2 != '.'))) && (*p1 == *p2))
{
p1++;
p2++;
}
/* if a decimal point was found, then eliminate trailing zeros */
if ((*p1 == '.') && (*p2 == '.'))
{
/* Eliminate trailing zeros (from back) */
while (*p1b == '0')
p1b--;
while (*p2b == '0')
p2b--;
/* match string forward, only upto the remaining portion after
* discarding of the trailing zero after decimal
*/
while (((p1 != p1b) && (p2 != p2b)) && (*p1 == *p2))
{
p1++;
p2++;
}
}
/* First condition on the LHS of || will be true for decimal portion
* for float the RHS will be . If not equal then none will be equal
*/
if (((*p1 == '\0') && (*p2 == '\0')) || ((p1 == p1b) && (p2 == p2b)))
printf ("\nEqual");
else
printf ("\nNot equal");
printf ("\n");
return 0;
}
使用前需要进行一些测试。
答案 1 :(得分:4)
str(n)cmp
是最快最安全的。
答案 2 :(得分:0)
假设您正在寻找它们是理想的,strncmp
将是最快和最安全的,因为它可以进行直接比较而无需任何转换。它通常被认为比strcmp
更安全。
但是,如果您希望00
和0
相等,或者您可以用稍微不同的方式表示相同数字的其他方式,则需要使用atoi
。
答案 3 :(得分:0)
在我看来,“最安全”的方式可能是将两个参数转换为整数然后进行测试,因为这样你就可以避免潜在的前导零问题。不过,它可能不是最快或最有效的方法。
答案 4 :(得分:0)
您可以简单地使用以下内容:
if(strcmp(“123”,“123”)== 0)
{
printf("The strings are equal");
}
否则
{
printf("The strings are not equal.");
}
在我看来它应该有用。
答案 5 :(得分:0)
我建议这样使用整数:
int strcmp_for_integers(char *aa, char *bb){
char aa2[11] = "";
char bb2[11] = "";
int answer;
sprintf(aa2, "%010d", atoi(aa));
sprintf(bb2, "%010d", atoi(bb));
answer = strcmp(aa2, bb2);
return answer;
}