0

我是编程新手,我有一个简单的疑问。

我想知道在 C++ 中是否有类似公共私有等的等效标识符,就像在 java 中一样。因为我知道

在 Java 中

*public String small(){
return "hello";
}*

在 C++ 中

*string small(){
return "hello";
}*
4

6 回答 6

5

在 C++ 中,您不会像在 Java 中那样将访问说明符应用于单个声明。您将它们设置在一个类中的部分中,并且直到下一个访问说明符的所有成员都具有该访问级别。

class MyClass {
public:
    std::string small() const { return "hello"; }
    int also_public();
private:
    void another_func();
};
于 2013-03-01T20:13:21.103 回答
4

有,但仅限于类范围。当提到成员时,它们定义了整个部分,而不是单独应用于每个成员:

class Foo : public Bar // public inheritance. Can be private. Or even protected!
{
 public:.
  int a; // public
  double b; // still public
 private:
  double x; // private
 public:
  double y; // public again:
 protected:
  // some protected stuff
};

访问说明符不适用于类(C++ 中没有模块的概念)。如果一个类嵌套在另一个类中,它只能是私有的/受保护的。

于 2013-03-01T20:13:24.937 回答
4

在 C++ 中有公共/私有/受保护的“部分”:

class A
{
private:
    string a;
    void M1();

protected:
    string b;
    void M2();

public:
    string c;
    void M3();
};
于 2013-03-01T20:13:59.770 回答
3

C++ 具有可访问性修饰符,但与 Java 不同,您不必在每个成员上重复它们:

class C
{
    int a; // private, since class members are private by default
public:
    int b; // public, since it's in a block of public members
    int c; // also public
private:
    int d; // private again
protected:
    int e; // protected
};

struct S
{
    int a; // public, since struct implicitly gives a block of public members
public:
    int b; // public, since it's in a block of public members
    int c; // also public
private:
    int d; // private again
protected:
    int e; // protected
};

顺便说一句,可访问性标签创建的块不仅控制访问,还影响内存布局。

这个类是标准布局POD

struct S
{
    int a;
    int b;
    int c;
};

这是这样的:

struct S
{
private:
    int a;
    int b;
    int c;
};

但这不是:

struct S
{
    int a;
    int b;
private:
    int c;
};

这个是在 C++11 中,但不是在 C++03 中:

struct S
{
    int a;
    int b;
public:
    int c;
};
于 2013-03-01T20:13:58.890 回答
0

在 C++ 中

const char *small() {
    return "hello";
}

或者

std::string small() {
    return "hello";
}

取决于你想要一个字符数组还是一个字符串对象。

于 2013-03-01T20:13:14.677 回答
0

您可以在 c++ 类中使用 public、private 和 protected。

例如

Class A {
public:
 int x;
 int getX() { return x; }

private:
 int y;
};

这里 x 和 getX 函数是公开的。并且 y 是私有的。

于 2013-03-01T20:13:23.023 回答