按要求分解字符串,输入两个数M,N; M代表输入的M串字符串,N代表输出的每串字符串的位数,不够补0。 例如:输入2,8, “abc” ,“123456789”,则输出为“abc00000”,“12345678“,”90000000”
下面这种做法显得代码比较凌乱,不够简洁!
第一天发博客,心里毛毛的。。。
/* 按要求分解字符串,输入两个数M,N;M代表输入的M串字符串,N代表输出的每串字符串的位数,不够补0。 例如:输入2,8, “abc” ,“123456789”,则输出为“abc00000”,“12345678“,”90000000” */
#include<iostream>
#include<string>
using std::cin;
using std::cout;
using std::endl;
using std::string;
void fun(const int m, const int n)
{
cout << "请输入" << m << "串字符串,我们将每串字符串分解为" << n << "位,不够的补0:" << endl;
for (int i = 0; i < m; i++)
{
string str;
cin >> str;
int len = str.length();
if (len <= n) //当字符串的长度<=8时
{
int j = n - len;
while (j--)
{
str += "0";
}
cout << str << "\t";
}
else
{
int zs = len / 8, ys = len % 8;
int tem_n = 8 - ys; //补多少0
string tem_str = str.substr(zs * 8, ys); //剩余的字符串
for (int j = 0; j < zs; j++)
{
cout << str.substr(j*8, j + 8)<<"\t";
}
while (tem_n--)
{
tem_str += "0";
}
cout << tem_str;
}
cout << endl;
cin.clear();
cin.sync();
if (i < (m-1));
cout << "请输入下一个字符串:" << endl;
}
}
void main()
{
int m, n;
cout << "请输入字符串个数m, 输出的每串字符串的位数n,用空格键隔开【如:2 8】:";
cin >> m >> n;
cin.clear();
cin.sync();
cout << "m = " << m << "; n = " << n << endl;
fun(m, n);
system("pause");
}
第二种方法,该方法相对于上一种方法相对简洁。
#include<iostream>
#include<string>
using std::cin;
using std::cout;
using std::endl;
using std::string;
void fun(const int m, const int n)
{
cout << "请输入" << m << "串字符串,我们将每串字符串分解为" << n << "位,不够的补0:" << endl;
for (int i = 0; i < m; i++)
{
string str;
cin >> str; //输入字符串
int len = str.length(); //字符串的长度
int zs = len / 8, ys = len % 8; //zs代表整数,ys代表余数
int tem_n = 8 - ys; //补多少0
string tem_str = str.substr(zs * 8, ys); //剩余的字符串
for (int j = 0; j < zs; j++) //若字符串长度>8则进入函数内部;否则,不执行
{
cout << str.substr(j*8, j + 8)<<"\t";
}
while (tem_n--) //处理字符串长度<=8的部分
{
tem_str += "0";
}
cout << tem_str;
cout << endl;
cin.clear();
cin.sync();
if (i < (m-1));
cout << "请输入下一个字符串:" << endl;
}
}
void main()
{
int m, n;
cout << "请输入字符串个数m, 输出的每串字符串的位数n,用空格键隔开【如:2 8】:";
cin >> m >> n;
cin.clear();
cin.sync();
cout << "m = " << m << "; n = " << n << endl;
fun(m, n);
system("pause");
}
[以下代码来源,转载请注明出处!](http://blog.csdn.net/hackbuteer1/article/details/39253767)
#include<iostream>
#include<cstdio>
using namespace std;
//str是要处理的字符串指针,n代表要分割的字母个数,len是字符串的长度
void solve(char *str, int n, int len)
{
int i, j, k, quotient, remainder;
quotient = len / n; //原字符串被分解的个数
remainder = len - n * quotient; //剩余的字符串的个数
for (i = 0; i < len; i += n)
{
if (len - i < n)
{
k = n - len + i;
for (j = i; j < len; ++j)
printf("%c", str[j]);
for (j = 0; j < k; ++j)
putchar('0');
}
else
{
for (j = i; j < i + n; ++j)
printf("%c", str[j]);
}
putchar(' ');
}
printf("\n");
}
int main(void)
{
int i, m, n, len;
char str[1000];
printf("请输入字符串个数和要分割的字符串长度(用空格键隔开)【如:2 8】:");
while (scanf_s("%d %d", &m, &n) != EOF)
{
for (i = 0; i < m; ++i)
{
printf("请输入字符串:");
scanf_s("%s", str, _countof(str));
len = strlen(str);
solve(str, n, len);
}
}
system("pause");
return 0;
}
运行结果: