在 C 中进行面向对象编程当然是可能的。请记住,例如,第一个 C++ 编译器实际上是 C++ 到 C 的转译器,Python VM 是用 C 等编写的。将所谓的 OOP 语言与其他语言区别开来的是更好地支持这些结构,例如在语法中。
提供抽象的一种常见方法是函数指针。查看下面 Linux 内核源代码中的结构(来自 include/linux/virtio.h)。
/**
* virtio_driver - operations for a virtio I/O driver
* @driver: underlying device driver (populate name and owner).
* @id_table: the ids serviced by this driver.
* @feature_table: an array of feature numbers supported by this driver.
* @feature_table_size: number of entries in the feature table array.
* @probe: the function to call when a device is found. Returns 0 or -errno.
* @remove: the function to call when a device is removed.
* @config_changed: optional function to call when the device configuration
* changes; may be called in interrupt context.
*/
struct virtio_driver {
struct device_driver driver;
const struct virtio_device_id *id_table;
const unsigned int *feature_table;
unsigned int feature_table_size;
int (*probe)(struct virtio_device *dev);
void (*scan)(struct virtio_device *dev);
void (*remove)(struct virtio_device *dev);
void (*config_changed)(struct virtio_device *dev);
#ifdef CONFIG_PM
int (*freeze)(struct virtio_device *dev);
int (*restore)(struct virtio_device *dev);
#endif
};
probe
, scan
,remove
等等都是 I/O 驱动程序自己设置的函数指针。然后内核可以为任何 I/O 驱动程序调用这些函数,而无需了解有关设备的任何信息。这是 C 中的抽象示例。请参阅本文以了解有关此特定示例的更多信息。
另一种数据抽象形式是不透明指针。不透明数据类型在头文件中声明,但从不公开定义。不知道类型定义的代码永远无法访问它的值,只能使用指向它的指针。请参阅维基百科上的不透明数据类型和不透明指针。
您可能遇到的不透明数据类型的示例FILE
来自 stdio.h。FILE *
尽管 a指向的实际数据不同,但所有操作系统都使用相同的接口。您可以FILE *
通过调用fopen
并使用一系列其他函数调用来操作它,但您可能看不到它指向的数据。
要了解有关 CI 中面向对象编程的更多信息,请推荐免费在线书籍ANSI-C 中的面向对象编程。看看这篇 Dobbs 博士的文章。相关问题:C 中的面向对象和你能用 C 编写面向对象的代码吗?.