标签:style blog class code java c
1.宏定义
<1>.常量定义
#define MATH_PI 3.14 void defineH() { // 宏在编译阶段就把宏对应的常量给替换了,所以很快; printf("%f", MATH_PI); }
<2>.方法定义
// 定义宏方法,宏方法没有具体的返回类型;当多行的时候,在后面添加一个反斜杠; #define MAX(A,B) {\ A>B?A:B }
调用:MAX(12,30);
2.结构体
<1>.结构体定义
struct People { int age; char *name; };
使用:
struct People p; p.age = 12; printf("%d", p.age);
<2>.结构体指针
/** * 需要引入stdlib.h */ void structpointer() { // 声明一个People指针(需要初始化)并且分配一个内存地址,内存大小为结构体People的大小 struct People *p = malloc(sizeof(struct People)); p->age = 20; p->name = "ls"; struct People *p1 = p; p1->name = "ls1"; printf("hello struct People %s", p->name); // 输出结果为ls1 // 使用malloc分配的指针在不需要使用之后需要释放 free(p); }
3.函数指针
/** * 函数指针 */ void functionpointer(int i) { printf("hello functionpointer %d \n", i); }
int functionpointer1() { printf("hello functionpointer1 \n"); return 0; }
void functionpointerexe() { void (*p)(int); p = functionpointer; p(34); int (*a)(); a = functionpointer1; a(); }
4.typedef关键字
<1>.定义结构体
typedef struct { int age; } P1;
通过typedef定义之后,在申明P1 struct的时候就不再需要在前面加struct关键字了;
P1 p; p.age = 12; printf("%d", p.age);
<2>.定义函数指针
typedef int (*Void)();
Void v = functionpointer1;
v(); // 输出functionpointer1
5.引入自定义头文件
hello.h
// 如果没有定义HELLO_H_,则定义HELLO_H_,是为了防止头文件重复; #ifndef HELLO_H_ #define HELLO_H_ void sayHello(); #endif /* HELLO_H_ */
hello.c
#include <stdio.h> // hello.h中sayHello具体实现 void sayHello() { printf("hello c"); }
main.c
#include "hello.h" int main(int argc, const char * argv[]) { sayHello(); }
6.文件操作
read:
void fileRead1() { FILE * f = fopen("xx.txt", "r"); fseek(f, 0, SEEK_END); // seek到文件末尾:获取文件大小 long size = ftell(f); // 返回文件大小 char buf[size + 1]; fseek(f, 0, SEEK_SET); // 重新回到文件开始 fread(buf, sizeof(unsigned char), size, f); buf[size] = ‘\0‘; fclose(f); printf("%s", buf); }
write:
void fileWrite1() { // f可能为空,需要进行判断! FILE * f = fopen("xx.txt", "w"); fprintf(f, "hello c"); fclose(f); }
7.其他
<1>.生成随机数:
srand((int) time(NULL )); int randNum = rand(); printf("%d,", randNum); return 0;
<2>.字符串操作:
char buf[100]; memset(buf, 0, 100); // sprintf(buf, "hello c %d s%f,", 12, 23.2); printf("%s", buf);
<3>.输入输出:
void getput() { char buf[100]; gets(buf); // 等待用户输入 puts(buf); } int scanprint() { int a; scanf("%d", &a); printf("%d", a); return 0; }
Cocos2d-x 系列二之C语言,布布扣,bubuko.com
标签:style blog class code java c
原文地址:http://www.cnblogs.com/a284628487/p/3720516.html