1. ホーム
  2. c

長さが不明な入力文字列を読み取るには?

2023-11-13 21:34:58

質問

単語の長さがわからないと、書けません。 char m[6]; ,

の長さは10か20くらいでしょうか。 どうすれば scanf を使ってキーボードから入力を得ることができますか?

#include <stdio.h>
int main(void)
{
    char  m[6];
    printf("please input a string with length=5\n");
    scanf("%s",&m);
    printf("this is the string: %s\n", m);
    return 0;
}

長さ=5の文字列を入力してください。

入力:こんにちは

これは文字列:hello

どのように解決するのですか?

動的に領域を確保する際に入力する

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

char *inputString(FILE* fp, size_t size){
//The size is extended by the input with the value of the provisional
    char *str;
    int ch;
    size_t len = 0;
    str = realloc(NULL, sizeof(*str)*size);//size is start size
    if(!str)return str;
    while(EOF!=(ch=fgetc(fp)) && ch != '\n'){
        str[len++]=ch;
        if(len==size){
            str = realloc(str, sizeof(*str)*(size+=16));
            if(!str)return str;
        }
    }
    str[len++]='\0';

    return realloc(str, sizeof(*str)*len);
}

int main(void){
    char *m;

    printf("input string : ");
    m = inputString(stdin, 10);
    printf("%s\n", m);

    free(m);
    return 0;
}