所以,我是一个尝试学习 C 的 C# 人。作为第一个(个人)项目,我正在尝试编写一个基本的坐标几何库。
问题:在后台堆上分配内存,而不是让针对库的程序员来做这件事,这又是最佳 C 编程实践吗?
例如,我的“点”结构和相关方法:
点.h
/* A basic point type. */
typedef struct point
{
float x;
float y;
float z;
char *note;
}point;
/* Initializes a basic point type. [Free with free_point method] */
point *create_point(float pos_x, float pos_y, float pos_z, char *_note);
/* Frees a point type. */
void free_point(point *_point);
/* Finds the midpoint between two points. */
point *midpoint(point *pt1, point *pt2);
点.c
#include "point.h"
/* Initializes a basic point type. [Free with free_point method] */
point *create_point(float pos_x, float pos_y, float pos_z, char *_note)
{
point *p;
size_t notelen = strlen(_note);
p = (point*)malloc(sizeof(point));
p->x = pos_x;
p->y = pos_y;
p->z = pos_z;
p->note = (char*)calloc(notelen + 1, sizeof(char));
strcpy_s(p->note, notelen + 1, _note);
return p;
}
/* Frees a point type. */
void free_point(point *_point)
{
free (_point->note);
free (_point);
}
/* Creates a midpoint between two points. */
point *midpoint(point *pt1, point *pt2)
{
float mid_x = (pt1->x + pt2->x) * 0.5f;
float mid_y = (pt1->y + pt2->y) * 0.5f;
float mid_z = (pt1->z + pt2->z) * 0.5f;
point *p = create_point(mid_x, mid_y, mid_z, "Midpoint");
return p;
}
请注意,我通过 create_point() 方法在堆上为任何实现/使用我的 lib 的人创建了 struct 'point'(老实说,这个项目只是为了我和学习,不过......)。这是不好的做法吗?感觉就像我在强迫用户以某种方式编程。midpoint() 方法也是如此。同样,您必须使用指向“点”结构的指针。
我无法在 SO 上找到有关 C 库设计的确切问题,但如果适用,请指出正确的方向。
谢谢。