练习8-8 移动字母
本题要求编写函数,将输入字符串的前3个字符移到最后。
函数接口定义:
void Shift( char s[] );
其中
char s[]
是用户传入的字符串,题目保证其长度不小于3;函数Shift
须将按照要求变换后的字符串仍然存在s[]
里。裁判测试程序样例:
#include <stdio.h> #include <string.h> #define MAXS 10 void Shift( char s[] ); void GetString( char s[] ); /* 实现细节在此不表 */ int main() { char s[MAXS]; GetString(s); Shift(s); printf("%s\n", s); return 0; } /* 你的代码将被嵌在这里 */
输入样例:
abcdef
输出样例:
defabc
代码如下:
// 定义函数Shift,接受一个字符数组s作为参数
void Shift( char s[] ){
char temp; // 定义一个临时变量temp,用于存储要移动的元素
int n=strlen(s),i,j; // 定义变量n为字符串s的长度,i和j为循环变量
for(i=0;i<3;i++){ // 进行三次左移操作
temp=s[0]; // 将第一个元素存储到temp中
for(j=1;j<n;j++){ // 将剩余元素向左移动一位
s[j-1]=s[j];
}
s[j-1]=temp; // 将temp(原来的第一个元素)放到数组的末尾
}
}