在 C 语言中获取用户输入

Jinku Hu 2023年1月30日 2021年2月7日
  1. 在 C 语言中使用 scanf 函数根据给定的格式获取用户输入
  2. 使用 scanf 根据给定的格式解析用户输入
在 C 语言中获取用户输入

本文将演示如何在 C 语言中获取用户输入的多种方法。

在 C 语言中使用 scanf 函数根据给定的格式获取用户输入

scanf 函数将用户输入的内容作为格式化文本进行处理,并将转换后的字符串值存储在给定指针中。该函数的原型与 printf 系列函数类似。它把格式化字符串参数作为如何处理输入字符的指令,然后用一个可变数量的指针参数来存储相应的值。

需要注意的是,%[^\n] 指定符指示 scanf 将第一个换行符之前的每个字符作为一个字符串处理,并将其存储到 char*缓冲区。目标缓冲区应该足够大,可以容纳用户输入的字符串。另外,在字符串转换指定符中可以使用一个可选的字符 m,它将强制函数分配一个足够大的缓冲区来存储输入字符串。因此,用户需要在给定的指针不再需要后调用 free 函数。

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


int main(void) {
    char str1[1000];

    printf("Input the text: ");
    scanf("%[^\n]", str1); // takes everything before '\n'

    printf("'%s'\n", str1);
    exit(EXIT_SUCCESS);
}

输出:

Input the text: temp string to be processed
'temp string to be processed'

或者,我们可以利用 scanf 通过修改格式字符串指定符来处理给定字符之前的任何文本输入。下面的例子显示了 scanf 调用,它扫描用户输入,直到找到值 9 的第一个字符。

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


int main(void) {
    char str1[1000];

    printf("Input the text: ");
    scanf(" %[^9]*", str1); //takes everything before '9' in string

    printf("'%s'\n", str1);
    exit(EXIT_SUCCESS);
}

输出:

Input the text: temporary string 32j2 923mlk
'temporary string 32j2 '

使用 scanf 根据给定的格式解析用户输入

scanf 函数的另一个有用的功能是根据给定的格式来解析用户输入。*字符在格式字符串中使用,通过跟随转换指定符丢弃匹配的字符。下一个代码示例演示了当 scanf 解析由强制性:符号组成的文本输入时,只将给定符号之后的字符存储到行末。这个选项可能对扫描固定格式的文本很有用,因为在这些文本中,某些字符出现在定界符的位置。

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


int main(void) {
    char str1[1000];

    printf("Input the text: ");
    scanf("%*[^:]%*c%[^\n]", str1);

    printf("'%s'\n", str1);
    exit(EXIT_SUCCESS);
}

输出:

Input the text: temporary value of var3: 324 gel
' 324 gel'
Author: Jinku Hu
Jinku Hu avatar Jinku Hu avatar

Founder of DelftStack.com. Jinku has worked in the robotics and automotive industries for over 8 years. He sharpened his coding skills when he needed to do the automatic testing, data collection from remote servers and report creation from the endurance test. He is from an electrical/electronics engineering background but has expanded his interest to embedded electronics, embedded programming and front-/back-end programming.

LinkedIn

相关文章 - C IO