欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页

scanf/sscanf %[]格式控制串的用法

程序员文章站 2022-05-21 08:19:29
...

scanf和sscanf中一种很少见但很有用的转换字符:[…]和[ ^…]。

scanf的用法

#include<stdio.h> 
int main() { 
    char string[100]; 
    scanf("%[1234567890]",string); 
    printf("%s",string); 
    return  0; 
} 

scanf/sscanf %[]格式控制串的用法
运行,输入:5656high后,结果是:5656。
通过运行可以发现它的作用是:如果输入的字符属于方括号内字符串中某个字符,那么就提取该字符;如果一经发现不属于就结束提取。该方法会自动加上一个字符串结束符到已经提取的字符后面。
注意:方括号两边不能空格,如:scanf("%[ 1234567890 ]",string);
scanf("%[ ^1234567890 ]",string); 不然空格也会算在里面的。
用这种方法还可以解决scanf的输入中不能有空格的问题。只要用 scanf("%[^\n]",string); 就可以了。
ANSI C 标准向 scanf() 增加了一种新特性,称为扫描集(scanset)。 扫描集定义一个字符集合,可由 scanf() 读入其中允许的字符并赋给对应字符数组。 扫描集合由一对方括号中的一串字符定义,左方括号前必须缀以百分号。 例如,以下的扫描集使 scanf() 读入字符 A、B 和 C: %[ABC]
使用扫描集时,scanf() 连续吃进集合中的字符并放入对应的字符数组,直到发现不在集合中的字符为止(即扫描集仅读匹配的字符)。返回时,数组中放置以 null 结尾、由读入字符组成的字符串。
用字符 ^ 可以说明补集 把 ^ 字符放为扫描集的第一字符时,构成其它字符组成的命令的补集合,指示 scanf() 只接受未说明的其它字符。
对于许多实现来说,用连字符可以说明一个范围。
例如,以下扫描集使 scanf() 接受字母 A 到 Z:
%[A-Z] 重要的是要注意扫描集是区分大小写的。因此,希望扫描大、小写字符时,应该分别说明大、小写字母。

sscanf库函数的一些特殊用法:

%[ ] 的用法:%[ ]表示要读入一个字符集合, 如果[ 后面第一个字符是”^”,则表示反意思。[ ]内的字符串可以是1或更多字符组成。空字符集(%[])是违反规定的,可导致不可预知的结果。%[^]也是违反规定的。

%[a-z]

读取在 a-z 之间的字符串,如果不在此之前则停止,如

#include <cstdio>
#include <iostream>
using namespace std;

int main() {
	char s[] = "hello, my friend";// 注意: ,逗号不在 a-z之间
	char string[100];  
	sscanf(s, "%[a-z]", string); // string=hello
	cout << string << endl;
	return 0;
}

scanf/sscanf %[]格式控制串的用法

%[^a-z]

读取不在 a-z 之间的字符串,如果碰到a-z之间的字符则停止,如

#include <cstdio>
#include <iostream>
using namespace std;

int main() {
	char s[] = "HELLO~brother";// 注意: ,逗号不在 a-z之间
	char string[100];  
	sscanf(s, "%[^a-z]", string); // string = HELLO~
	cout << string << endl;
	return 0;
}

scanf/sscanf %[]格式控制串的用法

%[^=]

读取字符串直到碰到’=’号,’^’后面可以带更多字符,如:

#include <cstdio>
#include <iostream>
using namespace std;
int main() {
	char s[] = "courage=1.0.0.1001" ;
	char string[32] = "" ;
	sscanf( s, "%[^=]", string ) ;
	cout << string << endl;     //string = courage
	return 0;
}            

scanf/sscanf %[]格式控制串的用法

如果参数格式是:%[^=:] ,那么也可以从 courage:1.0.0.1001读取courage

#include <cstdio>
#include <iostream>
using namespace std;
int main() {
	char s[] = "courage:1.0.0.1001" ;
	char string[32] = "" ;
	sscanf( s, "%[^=:]", string ) ;
	cout << string << endl;     //string = courage
	return 0;
}            

scanf/sscanf %[]格式控制串的用法

%10c 读取10个字符

#include <cstdio>
#include <iostream>
using namespace std;
int main() {
	char s[] = "courage:1.0.0.1001" ;
	char string[32] = "" ;
	sscanf( s, "%10c", string ) ;
	cout << string << endl;  //string = courage:1.     
	return 0;
}            

scanf/sscanf %[]格式控制串的用法

相关标签: 算法学习 算法