题目描述
小C语言文法
每行单词数不超过10个
小C语言文法如上,现在我们对小C语言写的一个源程序进行词法分析,分析出关键字、自定义标识符、整数、界符
和运算符。
关键字:main if else for while int
自定义标识符:除关键字外的标识符
整数:无符号整数
界符:{ } ( ) , ;
运算符:= + - * / < <= > >= == !=
输入
输入一个小C语言源程序,源程序长度不超过2000个字符,保证输入合法。
输出
按照源程序中单词出现顺序输出,输出二元组形式的单词串:(单词种类,单词值)
单词一共5个种类:
关键字:用keyword表示
自定义标识符:用identifier表示
整数:用integer表示
界符:用boundary表示
运算符:用operator表示
每种单词值用该单词的符号串表示。
样例①
输入
main() { int a, b; if(a == 10) { a = b; } }
输出
(keyword,main) (boundary,() (boundary,)) (boundary,{) (keyword,int) (identifier,a) (boundary,,) (identifier,b) (boundary,;) (keyword,if) (boundary,() (identifier,a) (operator,==) (integer,10) (boundary,)) (boundary,{) (identifier,a) (operator,=) (identifier,b) (boundary,;) (boundary,}) (boundary,})
代码:
#include<bits/stdtr1c++.h> using namespace std; string key[] = {"main", "if", "else", "for", "while", "int"}; string type[] = {"keyword", "identifier", "integer", "boundary", "operator"}; void dec(string s) { if (isdigit(s[0])) printf("(%s,%s)\n", type[2].c_str(), s.c_str()); else { int flag = 0; for (auto word : key) { if (word == s) { flag = 1; printf("(%s,%s)\n", type[0].c_str(), s.c_str()); break; } } if (!flag) printf("(%s,%s)\n", type[1].c_str(), s.c_str()); } } int main() { string s; while (cin >> s) { string str = ""; for (int i = 0; i < int(s.size()); i++) { if (s[i] == '=' or s[i] == '+' or s[i] == '-' or s[i] == '*' or s[i] == '/' or s[i] == '<' or s[i] == '>' or s[i] == '!') { if (str.size()) dec(str); str = ""; if (i + 1 < int(s.size()) and s[i + 1] == '=') printf("(%s,%c%c)\n", type[4].c_str(), s[i], s[i + 1]), i++; else printf("(%s,%c)\n", type[4].c_str(), s[i]); } else if (s[i] == '(' or s[i] == ')' or s[i] == '{' or s[i] == '}' or s[i] == ',' or s[i] == ';') { if (str.size()) dec(str); str = ""; printf("(%s,%c)\n", type[3].c_str(), s[i]); } else str += s[i]; } if (str.size()) dec(str); } return 0; }