有人可以举例说明如何在C ++中的类中定义一种新类型的 struct 。
感谢。
答案 0 :(得分:69)
这样的事情:
class Class {
// visibility will default to private unless you specify it
struct Struct {
//specify members here;
};
};
答案 1 :(得分:46)
宣布课程&嵌套结构可能在某些头文件中
class C {
// struct will be private without `public:` keyword
struct S {
// members will be public without `private:` keyword
int sa;
void func();
};
void func(S s);
};
如果你想分离实现/定义,可能在一些CPP文件中
void C::func(S s) {
// implementation here
}
void C::S::func() { // <= note that you need the `full path` to the function
// implementation here
}
如果你想内联实现,其他答案也可以。
答案 2 :(得分:6)
类似的东西:
class Tree {
struct node {
int data;
node *llink;
node *rlink;
};
.....
.....
.....
};
答案 3 :(得分:2)
可以。在c ++中,类和结构有点相似。我们不仅可以定义一个类内部的结构,还可以定义一个内部的类。这就是内部类。
作为示例,我要添加一个简单的Trie类。
class Trie {
private:
struct node{
node* alp[26];
bool isend;
};
node* root;
node* createNode(){
node* newnode=new node();
for(int i=0; i<26; i++){
newnode->alp[i]=nullptr;
}
newnode->isend=false;
return newnode;
}
public:
/** Initialize your data structure here. */
Trie() {
root=createNode();
}
/** Inserts a word into the trie. */
void insert(string word) {
node* head=root;
for(int i=0; i<word.length(); i++){
if(head->alp[int(word[i]-'a')]==nullptr){
node* newnode=createNode();
head->alp[int(word[i]-'a')]=newnode;
}
head=head->alp[int(word[i]-'a')];
}
head->isend=true;
}
/** Returns if the word is in the trie. */
bool search(string word) {
node* head=root;
for(int i=0; i<word.length(); i++){
if(head->alp[int(word[i]-'a')]==nullptr){
return false;
}
head=head->alp[int(word[i]-'a')];
}
if(head->isend){return true;}
return false;
}
/** Returns if there is any word in the trie that starts with the given prefix. */
bool startsWith(string prefix) {
node* head=root;
for(int i=0; i<prefix.length(); i++){
if(head->alp[int(prefix[i]-'a')]==nullptr){
return false;
}
head=head->alp[int(prefix[i]-'a')];
}
return true;
}
};
/**
* Your Trie object will be instantiated and called as such:
* Trie* obj = new Trie();
* obj->insert(word);
* bool param_2 = obj->search(word);
* bool param_3 = obj->startsWith(prefix);
*/
答案 4 :(得分:1)
#include<iostream>
using namespace std;
class A
{
public:
struct Assign
{
public:
int a=10;
float b=20.5;
private:
double c=30.0;
long int d=40;
};
struct Assign ALT;
};
class B: public A
{
public:
int x = 10;
private:
float y = 20.8;
};
int main()
{
B myobj;
A obj;
//cout<<myobj.a<<endl;
//cout<<myobj.b<<endl;
//cout<<obj.a<<endl;
//cout<<obj.b<<endl;
cout<<myobj.ALT.a<<endl;
return 0;
}
enter code here
答案 5 :(得分:0)
这里的其他答案已经说明了如何在类内部定义结构。还有另一种方法,可以声明该类内部的结构,而定义外部的结构。例如,如果该结构相当复杂并且可能以一种可以从其他地方进行详细描述的方式中受益的方式独立使用,则此功能很有用。
其语法如下:
class Container {
...
struct Inner; // Declare, but not define, the struct.
...
};
struct Container::Inner {
/* Define the struct here. */
};
您通常会在定义嵌套类而不是结构的情况下看到这种情况(一个常见的例子是为一个集合类定义一个迭代器类型),但是我认为为了完整起见,在这里值得炫耀。