将字符串逆序输出:我先说一个我的错误代码,一开始真的不知道哪里错了,但是当时的想法是自以为是可以的,大家可以先看看我的错误代码
这个代码是错误的,正确的在最下方,不要急,我只是展示一下自己的错误,哈哈
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
|
#include <stdio.h> #include <iostream> #include <string.h> #include <math.h> using namespace std; void reverse( char a[]) { char *p=a,*q=a,c; int i; while (*p!= '\0' ) p++; p--; //此刻p指向最后一个元素 // while(p>q) // { // c=*p; // *p=*q; // *q=c; // p--; // q++; // } i=0; for (i=0; p>=q; i++) { a[i]=*(p); //代码就是这里出的错,在下面解释一下 printf ( "*(p)==%c a[%d]==%c\n" ,*(p),i,a[i]); p--; } } int main() { char a[100]; scanf ( "%s" ,a); reverse(a); printf ( "%s" ,a); return 0; } |
上面代码:我一开始想着,定义一个指针p,然后先将指针指向最后一个元素,然后慢慢往回(前面)指,再将指针p指向的值赋给a[i],i从0开始变化,这个想法其实没有错,但是却忽略了,指针只有改变地址的权利,而赋值则是将字符串完全改变了,那么指针一开始指向中间靠后的值的时候,原来a字符串里面中间靠前的字符就会改变(因为是逆着赋值的),那么到了指针p指向中间靠前的时候,p指的是已经变化过的a中的字符值啦。
那么问题来了,怎样做呢,将对称位置的字符交换即可。
下面是正确代码,比较简单,不做过多介绍啦
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
|
#include <stdio.h> #include <iostream> #include <string.h> #include <math.h> using namespace std; void reverse( char a[]) { char *p=a,*q=a,c; int i; while (*p!= '\0' ) p++; p--; //此刻p指向最后一个元素 while (p>q) { c=*p; *p=*q; *q=c; //交换对称位置的字符值 p--; q++; } } int main() { char a[100]; scanf ( "%s" ,a); reverse(a); printf ( "%s" ,a); return 0; } |
补充:C语言 将字符串转化成整数,正序(逆序)输出
字符串转化为数字:—‘0'
数字转化为字符串:+‘0'
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
|
#include <stdio.h> #include <stdlib.h> #include <vld.h> #include <assert.h> #include <ctype.h> #include <string.h> void Reverse( char *str) //逆序 { char *p = str; while (*p != '\0' ) //找到\0 { p++; } p--; //\0前一位 int temp; while (str < p) { temp = *str; //交换 *str = *p; *p = temp; str++; p--; } } int Myatoi( const char *str) //字符串转化为数字 { assert (*str != NULL); int sum = 0; while ( isdigit (*str)) { sum = sum*10+*str- '0' ; *str++; } return sum; } void Myitoa( char *str, int n) //数字转化为字符串 { assert (*str != NULL); int i = 0; do { str[i++] = n % 10 + '0' ; n /= 10; } while (n != 0); str[i] = '\0' ; // Reverse(str); } int main() { char str1[100] = "1a2" ; printf ( "num = %d\n" ,Myatoi(str1)); char str[100]; Myitoa(str,1235496); printf ( "str = %s\n" ,str); return 0; } |
以上为个人经验,希望能给大家一个参考,也希望大家多多支持服务器之家。如有错误或未考虑完全的地方,望不吝赐教。
原文链接:https://blog.csdn.net/qiaoermeng/article/details/88586680