题目链接
题目梗概
将数字打印成指定大小的数码体,大小指的是横和竖的长度。
解题思路
可以发现,数码体中,数字都是由七部位组成(上横,左上竖,右上竖,中横,左下竖,右下竖,下横)。所以我们先用一个数组把从0到9其包含的部位信息记录下来,比如g[0]是记录上横的,‘0’有上横,所以g[0][0] =1,而‘1’没有上横,所以g[0][1] = 0。
之后就根据存储的部位信息和给定数字逐行打印即可。
为了方便可分成横和竖两部分来编写函数规范打印。
完整代码
#include <iostream>
using namespace std;
bool g[7][10] = {
1,0,1,1,0,1,1,1,1,1,
1,0,0,0,1,1,1,0,1,1,
1,1,1,1,1,0,0,1,1,1,
0,0,1,1,1,1,1,0,1,1,
1,0,1,0,0,0,1,0,1,0,
1,1,0,1,1,1,1,1,1,1,
1,0,1,1,0,1,1,0,1,1
};
int k;
string s;
void col(int c){
for(int i = 0;i<s.length();i++){
if(i) cout << " ";
cout << " ";
if(g[c][s[i]-'0'])
for(int j = 0;j<k;j++) cout << "-";
else
for(int j = 0;j<k;j++) cout << " ";
cout << " ";
}
cout << endl;
}
void row(int l,int r){
for(int i = 0;i<k;i++){
for(int j = 0;j<s.length();j++){
if(j) cout << " ";
if(g[l][s[j]-'0']) cout << "|";
else cout << " ";
for(int m = 0;m<k;m++) cout << " ";
if(g[r][s[j]-'0']) cout << "|";
else cout << " ";
}
cout << endl;
}
}
int main(){
cin >> k;
cin >> s;
col(0);
row(1,2);
col(3);
row(4,5);
col(6);
return 0;
}