是否可以在C中模拟C ++访问说明符[public,private,protected]?更一般地说,C ++编译器如何确保非成员函数不能访问类的私有成员?
答案 0 :(得分:4)
C ++访问控制完全是编译器想象的一个例子:你不能只访问私有成员,因为编译器会拒绝编译试图这样做的任何代码。
通过欺骗编译器认为指向ClassWithPrivateMember
实例的指针实际上是指向ClassWithPublicMember
实例的指针,即访问C ++类的私有成员实际上相当简单 - 即通过使用稍微修改过的头文件,您通常可以访问不应该访问的内容。并不是说有人做过这样的事......
在C中进行访问控制的最佳方法是将指针传递给opaque类型:struct
对象,其定义不适用于客户端代码。如果您提供foo* create_foo()
方法和一系列对foo*
进行操作的方法,从客户端隐藏foo
的实际定义,那么您将获得类似的效果。
// File "foo_private.h"
struct foo {
int private1;
char private2;
};
// File "foo.h"
typedef struct foo foo;
foo * create_foo(int x, char y);
int mangle_foo(foo *);
// file "foo.c"
#include <stdlib.h>
#include "foo.h"
#include "foo_private.h"
foo * create_foo(int x, char y) {
foo * f = (foo *) calloc(1, sizeof(foo));
f->private1 = x;
f->private2 = y;
}
int mangle_foo(foo *f) {
return f->private1 + f->private2;
}
现在,您将编译的foo.c
与foo.h
一起分发到库中。在foo.h
中声明的函数构成了一个类型的公共接口,但该类型的内部结构是不透明的;实际上,调用create_foo()
的客户无法访问foo
对象的私有成员。
我们的朋友FILE*
是类似的事情,除了类型FILE
通常不是真正不透明的。只是大多数人(明智地)不会去探索它的内脏。在那里,访问控制仅仅通过默默无闻来实施。
答案 1 :(得分:3)
我建议强烈反对使用另一个答案中建议的void *指针,这会抛弃所有类型安全。您可以在标头中转发声明struct foo;
而不指定内容,然后您可以将这些结构和指针传入和传出标头中声明的接口函数。 struct实现隐藏在该单元的.c文件中。
如果您想保留在结构和其他类型之间进行更改的选项,例如int,您可以在标题中使用typedef
来包装接口的类型。
您可以使用的其他技术包括在.c文件static
中声明函数,以便它们无法与其他源链接,即使这些其他源声明了该函数。
答案 2 :(得分:1)
有很多方法可以达到目标,以下是我的:
该示例包括类“struct test_t”和类函数“test_create”以及成员函数“print”
test.h:
struct test_t {
// Member functions
void (*print)(struct test_t *thiz);
// Private attributes
char priv[0];
};
// Class functions
struct test_t *test_create(int number);
test.c的:
#include "test.h"
#include <stdio.h>
#include <stdlib.h>
// priv attr
struct test_priv_t {
int number;
};
// member functions
static void print(struct test_t *thiz)
{
struct test_priv_t *priv = (struct test_priv_t*)thiz->priv;
printf("number = %d\n", priv->number);
}
// Class functions
struct test_t *test_create(int number)
{
struct test_t *test = (struct test_t *)malloc(sizeof(struct test_t) + sizeof(struct test_priv_t));
// setup member function
test->print = print;
// initialize some priv attr
struct test_priv_t *priv = (struct test_priv_t*)test->priv;
priv->number = number;
return test;
}
main.c中:
#include "test.h"
int main()
{
struct test_t *test = test_create(10);
test->print(test);
}