如何在不使用strlen的情况下计算字符串的数字字符

时间:2015-11-04 22:20:05

标签: c counting strlen

我的任务是计算随机单词中的字母数,直到输入“结束”。我不允许使用strlen();功能。到目前为止,这是我的解决方案:

#include <stdio.h>
#include <string.h>

int stringLength(char string[]){
    unsigned int length = sizeof(*string) / sizeof(char);
    return length;
}

int main(){
    char input[40];
    
    while (strcmp(input, "End") != 0) {
        printf("Please enter characters.\n");
        scanf("%s", &input[0]);
        while (getchar() != '\n');
        printf("You've entered the following %s. Your input has a length of %d characters.\n", input, stringLength(input));
    }
}

stringLength值不正确。我做错了什么?

2 个答案:

答案 0 :(得分:2)

%n说明符也可用于捕获字符数 使用%39s会阻止在数组input[40]中写入太多字符。

#include <stdio.h>
#include <string.h>
#include <stdlib.h>

int main( void)
{
    char input[40] = {'\0'};
    int count = 0;

    do {
        printf("Please enter characters or End to quit.\n");
        scanf("%39s%n", input, &count);
        while (getchar() != '\n');
        printf("You've entered the following %s. Your input has a length of %d characters.\n", input, count);
    } while (strcmp(input, "End") != 0);

    return 0;
}

编辑纠正@chux指出的缺陷。
使用" %n记录前导空格和%n"记录总字符数,这应该记录前导空格的数量和解析的总字符数。

#include <stdio.h>
#include <string.h>
#include <stdlib.h>

int main( int argc, char *argv[])
{
    char input[40] = {'\0'};
    int count = 0;
    int leading = 0;

    do {
        printf("Please enter characters. Enter End to quit.\n");
        if ( ( scanf(" %n%39s%n", &leading, input, &count)) != 1) {
            break;
        }
        while (getchar() != '\n');
        printf("You've entered %s, with a length of %d characters.\n", input, count - leading);
    } while (strcmp(input, "End") != 0);

    return 0;
}

编辑stringLength()函数返回长度

int stringLength(char string[]){
    unsigned int length = 0;
    while ( string[length]) {// true until string[length] is '\0'
        length++;
    }
    return length;
}

答案 1 :(得分:1)

请注意sizeof编译时进行评估。因此,它不能用于确定运行时中字符串的长度。

字符串的长度是遇到空字符之前的字符数。因此,字符串的大小比字符数多一个。这个最终的空字符称为终止空字符

因此,要知道运行时字符串的长度,您必须计算字符数,直到遇到空字符。

用C编程很简单;我把它留给你。