C语言学习日记第三篇
作者:互联网
1.关系操作符(在if语句中可用)
> < >= <== != ==
2.逻辑操作符
&&按位与 ||按位或
1 #include <stdio.h> 2 int main(){ 3 4 int a =5; 5 6 int b = 3; 7 8 int c = a&&b; 9 10 printf("c=%d", c); 11 12 return 0; 13 14 }//结果为c=1
C语言中0为假,非零为真,所以a=5为真,b=3为真,故c=a&&b为真
&&有一个假就是假。||有一个真就是真
3.条件操作符(exp1?exp2:exp3)
1 #include <stdio.h> 2 3 int main(){ 4 5 int a =10; 6 7 int b = 20; 8 9 int max = 0; 10 11 max = (a > b ? a : b); 12 13 if (a > b) 14 15 max = a; 16 17 else 18 19 max = b; 20 21 printf("max=%d",max ); 22 23 return 0; 24 25 }//结果为20
exp1如果成立,执行exp2,如果不成立,执行exp3
4.Void(无类型,没有返回值)
void关键字是函数返回类型,不需要return语句
1 #include <stdio.h> 2 3 void test() 4 5 { 6 7 int a = 1; 8 9 a++; 10 11 printf("%d", a); 12 13 } 14 15 int main(){ 16 17 int i = 0; 18 19 while (i < 5){ 20 21 test(); 22 23 i++; 24 25 } 26 27 return 0; 28 }//结果是22222
先进来直接走int main遇见test()走void,a是局部变量,结果一直为2。当i=5时才可以跳出循环,所以要走五次void,故答案是22222。
改成static int a=1;结果为23456。因为static将a转变为静态局部变量,所以第二次进入void时a的初始值是2。同理,是的结果为23456
static(修饰局部变量,使得局部变量生命周期延长,出了作用域也不会销毁
修饰全局变量,会改变作用域。eg:两个.c代码中,当我申明外部变量(extern),若外部的前方有static,使得该变量只能在自己的源文件内部使用,无法用于外部申明。)
5.宏定义(用define定义)
1 #define MAX(x,y) (x>y?x:y) 2 3 #include <stdio.h> 4 5 int main(){ 6 7 int a = 0; 8 9 int b = 9; 10 11 int max= MAX(a,b); 12 13 printf("max=%d", max); 14 15 return 0; 16 17 }
6.指针
指针最小单位是byte
1 #include <stdio.h> 2 3 int main(){ 4 5 int a; 6 7 int* p = &a; 8 9 *p = 20; 10 11 printf("%d\n",a); 12 13 return 0; 14 15 }结果为20
1 #include <stdio.h> 2 3 int main(){ 4 5 int a = 10; 6 7 int* p= &a; 8 9 printf("%d\n", *p); 10 11 return 0; 12 13 }//结果为10
1 #include <stdio.h> 2 3 int main(){ 4 5 char ch='w'; 6 7 char* p = &ch; 8 9 *p = 'a'; 10 11 printf("%c\n", ch); 12 13 return 0; 14 15 }//结果为a
标签:10,第三篇,return,int,max,C语言,include,main,日记 来源: https://www.cnblogs.com/zhengyawencnblogs/p/15616341.html