版权声明:本文为博主原创文章,遵循 CC 4.0 BY-SA 版权协议,转载请附上原文出处链接和本声明。
本文链接:https://blog.csdn.net/weixin_42449444/article/details/86751632
中国的古人写文字,是从右向左竖向排版的。本题就请你编写程序,把一段文字按古风排版。
输入在第一行给出一个正整数N(<100),是每一列的字符数。第二行给出一个长度不超过1000的非空字符串,以回车结束。
按古风格式排版给定的字符串,每列N个字符(除了最后一列可能不足N个)。
4
This is a test case
asa T
st ih
e tsi
ce s
题目中给出的N其实就是古风排版的行数,输入的字符串若古风排序后不是矩形,则在字符串后补空格。接着建立一个大小为N的字符串数组,temp是当前行数(从0开始数),遍历字符串,将相应的字符添加在相应的字符串数组中,最后遍历字符串数组进行输出即可。
#include <bits/stdc++.h>
using namespace std;
int main()
{
int N; //题中的N就是古风排序的行数
cin >> N;
getchar(); //吃回车
string str;
getline(cin,str);
int len = str.length(); //字符串长度
if(len%N != 0) //若字符串古风排序后不是矩形,则把字符串补空格
{
int temp = N - len%N;
for(int i = 0; i < temp; i++)
{
str += " ";
}
len = str.length(); //更新字符串长度
}
string s[N];
for (int i = 0; i < len; i++)
{
int temp = i%N;
s[temp] = str[i] + s[temp];
}
for(auto it : s)
{
cout << it << endl;
}
return 0;
}