标签:流程 完成 使用方法 很多 str printf 用法 eve 增强
(1):定义一个整形指针变量p,使它指向一个整形变量,定义一个浮点型指针q,使它指向一个浮点型变量b,同时定义另外一个整形变量c并赋初值3。
(2):使用指针变量,调动scanf函数分别输入a和b的值。
(3):通过指针间接访问并输出a和b的值。
(4):按十六进制方式输出p、q的值以及a、b的地址。
(5):将p指向c,通过p间接访问c的值并输出。
(6):输出p的值及c的地址,并与上面的结果进行比较。
#include <stdio.h>
main()
{
int *p,a,c=3;
float *q,b;
p=&a;
q=&b;
printf("Please Input the Value of a,b:");
scanf("%d%f",&*p,&*q);
printf("Result:\n");
printf(" %d,%f\n",a,b);
printf(" %d,%f\n",*p,*q);
printf("The Address of a,b: %p,%p\n",&a,&b);
printf("The Address of a,b: %p,%p\n",p,q);
p=&c;
printf("c=%d\n",*p);
printf("The Address of v:%x , %x\n",p,&c);
return 0;
}
实验结果如下:
问题:输出的地址与值总是会反掉。
解决方法:将地址与值的表示方法换一下。
#include <stdio.h>
void swap1(int x,int y);
void swap2(int *x,int *y);
main()
{
int a,b;
printf("Please Input a=:");
scanf("%d",&a);
printf("\n b=:");
scanf("%d",&b);
swap1(a,b);
printf("\nAfter Call swap1: a=%d b=%d\n",a,b);
swap2(&a,&b);
printf("\nAfter Call swap2: a=%d b=%d\n",a,b);
}
void swap1(int x,int y)
{
int temp;
temp=x;
x=y;
y=temp;
}
void swap2(int *x,int *y)
{
int temp;
temp=*x;
*x=*y;
*y=temp;
}
实验结果如下:
问题:实参的传递一直不成功。
解决方法:在实参传递时使用&a与&b变量即可。
#include "stdio.h"
char *reverse(char*str);
char *link(char*str1,char*str2);
main()
{
char str[30], str1[30], *str2;
printf("Input Reversing Character String:");
gets(str);
str2=reverse(str);
printf("\nOutput Reversed Character String:");
puts(str2);
printf("Input String1:");
gets(str);
printf("\nInput string2:");
gets(str1);
str2=link(str,str1);
printf("Link String1 and String2:");
puts(str2);
}
char *reverse(char *str)
{
char *p,*q,temp;
p=str,q=str;
while(*p!='\0')
{
p++;
}
p--;
while(q<p)
{
temp=*q;
*q=*p;
*p=temp;
++q;
--p;
}
return str;
}
char *link(char *str1,char *str2)
{
char *p=str1,*q=str2;
while(*p!='\0')
{
p++;
}
while(*q!='\0')
{
*p=*q;
p++;
q++;
}
str2=NULL;
return str1;
}
实验结果图:
问题:不知道怎么让指针做相向移动,对于指针的运算不熟悉。
解决方法:通过翻书理解指针的移动方式,知道了可以直接让指针进行加减来使指针移动。
#include <stdio.h>
#define N 10
void arrsort(int a[],int n);
main()
{
int a[N],i ;
for(i=0;i<N;i++)
{
scanf("%d",&a[i]);
}
arrsort(a,N);
for(i=0;i<N;i++)
{
printf("%d ",a[i]);
}
}
void arrsort(int a[],int n)
{
int *p,*q,temp;
p=a;
q=a+n-1;
while(p<q)
{
while(*p%2==1)
{
p++;
}
while(*q%2==0)
{
q--;
}
if(p>q)
{
break;
}
temp=*p;
*p=*q;
*q=temp;
p++;
q--;
}
}
实验结果图:
问题:对于外部函数的整体流程不清晰,导致实验结果无法实现。
解决方法:通过将流程在草稿纸上写出,然后配合提升一起理解,最终将外部函数完成。
标签:流程 完成 使用方法 很多 str printf 用法 eve 增强
原文地址:https://www.cnblogs.com/ylpforever/p/11031213.html