#include<iostream>
using namespace std;
int main()
{
int i=1,len;
char ch[26][26],ch2;
cout<<"enter string: "<<endl;
for(i=0;;i++)
{
cin>>ch[i];
len++;
if(getchar()=='\n')
break;
}
int n,j;
cout<<"enter size: "<<endl;
cin>>n;
int k;
for(i=0;i<=n;i++)
{
for(j=0;j<=n;j++)
{
if(i==0||i==n||j==0||j==n)
{
cout<<"*";
}
else
cout<<" ";
if(i==((n/2)-2)&&j==((n/2)-2))
{
for(k=0;k<len;k++)
{
cout<<ch[k]<<endl;
cout<<"*";
}
}
}
cout<<"\n";
}
}
这个程序在正方形内显示字符串,但正方形的星形模式特别混淆了最右边的列 任何帮助都会受到极大的赞赏
答案 0 :(得分:0)
由于您没有在代码中提供太多详细信息,因此我从beginnig开始使用新代码,这就是我想出的:
#include <iostream>
#include <vector>
使用矢量作为字符串,动态调整大小(如果在代码中输入的字数超过26个字,会怎样?提示:分段错误!)
using std::vector;
using std::string;
using std::cout;
using std::cin;
using std::endl;
最好避免使用using namespace std;
。只需导入你真正需要的东西。
int main() {
vector<string> strings;
你肯定想在这里使用字符串,而不是char
数组。
cout << "Enter string: ";
输入提示后不要断行! (作为Linux用户,我个人讨厌它)
for(;;) {
这里不需要变量i
,只需运行一个无限循环(尝试重新排列,如果你可以避免无限循环,那么while(getchar() != '\n')
更加不言自明。
string s;
cin >> s;
strings.push_back(s);
在评论中建议 pstrjds ,如果可以,请使用getline()
。
if(getchar() == '\n')
break;
就像我说的那样,尝试用while
条件重新表述。
}
unsigned int n, i, j;
cout << "Enter size: ";
cin >> n;
// assuming strings.size() < n
unsigned int empty_lines_around_text((n - strings.size()) / 2);
由于你想要在你的方块中心打印你的单词,你必须显示不到半平方的* (...) *
行:实际上半个正方形减去一半的字符串数量打印。
// first horizontal row of stars
for(j = 0; j < n; ++j)
cout << '*';
cout << endl;
广场的上方。
for(i = 1; i < empty_lines_around_text; ++i) {
cout << '*';
for(j = 1; j < n - 1; ++j) {
cout << ' ';
}
cout << '*' << endl;
}
要打印的第一行,那些没有字符串的行。
//here we do the actual printing of the strings
for(i = 0; i < strings.size(); ++i) {
string s = strings[i];
// once again, assuming the size of each string is < n
unsigned int empty_chars_around_string((n - s.size()) / 2);
cout << '*';
for(j = 0; j < empty_chars_around_string; ++j)
cout << ' ';
cout << s;
for(j = empty_chars_around_string + s.size() + 1; j < n - 1; ++j)
cout << ' ';
cout << '*' << endl;
}
这是有问题的部分。就像空行一样,我们需要一个变量来包含我们在字符串之前打印多少空格,使其显示为居中(变量 empty_chars_around_string )。
我们打印那么多空格,字符串,然后我们在行尾*
之前用空格填充行,并为数组中的每个字符串创建。
for(i = empty_lines_around_text + strings.size() + 1; i < n; ++i) {
cout << '*';
for(j = 1; j < n - 1; ++j) {
cout << ' ';
}
cout << '*' << endl;
}
在打印完字符串后,我们用空行完成正方形。
// last horizontal line of '*' (we close the square)
for(j = 0; j < n; ++j)
cout << '*';
cout << endl;
...... Aaand我们关闭广场。
return 0;
}
现在,这段代码并不完美,有一堆重构和优化要做,但它最大限度地利用了C ++特性。
Here是一个包含整个代码的PasteBin。
使用字符串Hello friends
和大小12
:
************
* *
* *
* *
* *
* hello *
* friends *
* *
* *
* *
* *
************
答案 1 :(得分:0)
主要问题在于:
for(k=0;k<len;k++)
{
cout<<ch[k]<<endl;
cout<<"*";
}
此处,当您来放置输入字符串时,您还要输入一个新行并以星号(*)开头。你不仅没有把最后一个星号放在输入字符串的行上,而且你也没有更新 j ,它仍然大于0,当代码继续for(j=0;j<=n;j++)
时已经有来自换行符+星号的剩余价值。
尝试:
for( k = 0; k<len; k++ )
{
cout << ch[k];
j += strlen( ch[k] );
}
这样 j 将更新到输入字符串的最后位置。
PS:对于常见的编码习惯,也可以将 len 初始化为0。