一、模块化设计原则
原则说明示例高内聚模块内部功能紧密相关将数学计算函数集中到 math_utils 模块低耦合模块间依赖最小化(通过接口通信)使用头文件声明接口,隐藏实现细节单一职责每个模块只解决一个特定问题文件操作模块仅处理读写逻辑接口清晰明确模块对外暴露的 API头文件中声明公共函数,源文件中实现二、模块化实现步骤
1. 头文件(.h)——接口定义
- 作用:声明模块对外提供的函数、数据类型和常量。
- 包括:
全局变量的声明
普通函数的声明
静态函数的定义
宏定义
结构体、联合体的声明
枚举常量列表的声明
包含其他头文件
- 规范:
- 使用 #pragma once 或 #ifndef 防止重复包含。
- 不放置函数实现(除内联函数)。
- 用 extern 声明全局变量(定义在源文件中)。
- 头文件的基本结构
- #ifndef HEADER_NAME_H// 头文件守卫开始
- #define HEADER_NAME_H
- /******************************
- * 包含其他头文件 *
- ******************************/
- #include <stdio.h>
- #include <stdlib.h>
- #include "other_header.h"
- /******************************
- * 宏定义区 *
- ******************************/
- #define MAX_SIZE 100#define MIN(a, b) ((a) < (b) ? (a) : (b))
- /******************************
- * 结构体/联合体声明 *
- ******************************/
- typedef struct {
- int x;
- int y;
- } Point;
- typedef union {
- int int_val;
- float float_val;
- } DataUnion;
- /******************************
- * 枚举类型声明 *
- ******************************/
- typedef enum {
- RED,
- GREEN,
- BLUE
- } Color;
- /******************************
- * 全局变量声明 *
- ******************************/
- extern int global_counter;// 声明,定义在.c文件中
- /******************************
- * 函数声明区 *
- ******************************/
- void init_system(void);
- int calculate_value(int a, int b);
- void print_message(const char* msg);
- /******************************
- * 静态函数定义 *
- ******************************/
- // 静态函数直接在头文件中定义
- static inline int helper_function(int x) {
- return x * 2;
- }
- #endif// HEADER_NAME_H // 头文件守卫结束
复制代码
- 头文件守卫(Include Guards)作用:防止头文件被多次包含造成的重复定义错误。
示例:math_utils.h
- #pragma once
- // 函数声明
- int add(int a, int b);
- double sqrt(double x);
- // 常量声明
- extern const double PI;
- // 结构体声明(对外透明)
- typedef struct {
- double x;
- double y;
- } Point;
复制代码 2. 源文件(.c/.cpp)——实现细节
- 作用:实现头文件中声明的功能,隐藏内部逻辑。
- 规范:
- 包含对应头文件(如 #include "math_utils.h")。
- 静态函数/变量用 static 修饰(限制作用域)。
示例:math_utils.c
- #include "math_utils.h"
- const double PI = 3.1415926;// 常量定义
- // 公有函数实现
- int add(int a, int b) {
- return a + b;
- }
- // 静态函数(仅本文件可用)
- static double internal_sqrt(double x) {
- // 内部实现...
- }
- double sqrt(double x) {
- return internal_sqrt(x);
- }
复制代码 3. 主程序调用
- #include <stdio.h>
- #include "math_utils.h"// 引入模块接口
- int main() {
- printf("3 + 5 = %d\n", add(3, 5));
- printf("PI = %.2f\n", PI);
- return 0;
- }
复制代码 来源:程序园用户自行投稿发布,如果侵权,请联系站长删除
免责声明:如果侵犯了您的权益,请联系站长,我们会及时删除侵权内容,谢谢合作! |