C-从特定的单行输入填充数组

时间:2018-11-24 14:26:07

标签: c arrays input scanf

我是新手,在我的学校编程活动中,我需要根据指定的输入制作整数数组。输入看起来像这样:

1000:{250,500,750}(输入)

我的基本代码只能扫描用空格分隔的数字。

#include <stdio.h>
#include <stdlib.h>
#define LEN 10
long int array[LEN];

    int main()
    {   
        long int i;

        for (i =0; i < LEN; i++)
            {
            scanf("%li", &array[i]);
            }

    return 0;
    }

我有一个静态数组,需要用{}括号中的数字填充它。我可以将“:”符号前的数字(在本例中为1000)作为单个变量或数组的第0个元素进行扫描。我可以使用一些修改过的scanf吗?但是我认为这里的方法是用scanf循环的。有时数组比给定数字大得多,因此我需要以“}”符号结束循环。感谢您的想法。

1 个答案:

答案 0 :(得分:0)

请考虑使用fgets来读取一行。用sscanf解析行。 %n说明符将报告扫描处理的字符数。累积这些值将允许遍历该行。

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

#define SIZE 4000
#define LIMIT 500

int main( void) {
    char line[SIZE] = "";
    char bracket = 0;
    long int value[LIMIT] = { 0};
    int result = 0;
    int input = 0;
    int offset = 0;
    int span = 0;

    printf ( "enter values x:{w,y,...,z}\n");
    if ( fgets ( line, sizeof line, stdin)) {
        //scan for long int, optional whitespace, a colon,
        //optional whitespace, a left brace and a long int
        if ( 2 == ( result = sscanf ( line, "%ld : {%ld%n", &value[0], &value[1], &offset))) {
            input = 1;
            do {
                input++;
                if ( LIMIT <= input) {
                    break;
                }
                //scan for optional whitespace, a comma and a long int
                //the scan will fail when it gets to the right brace }
                result = sscanf ( line + offset, " ,%ld%n", &value[input], &span);
                offset += span;//accumulate processed characters
            } while ( 1 == result);
            //scan for optional space and character ie closing }
            sscanf ( line + offset, " %c", &bracket);
            if ( '}' != bracket) {
                input = 0;
                printf ( "line was not terminated with }\n");
            }
        }
    }
    else {
        fprintf ( stderr, "fgets EOF\n");
        return 0;
    }

    for ( int each = 0; each < input; ++each) {
        printf ( "value[%d] %ld\n", each, value[each]);
    }

    return 0;
}