我有一个名为State
的课程,其中包含shared_ptr
,weak_ptr
和int
字段。我还有另一个名为Automata
的类,它对一个州有一个shared_ptr
。我正在使用State
来模仿NFA中的州。 Automata
是NFA中状态的链接列表。状态与shared_ptr
相关联,自我循环由weak_ptr
表示。
class State {
public:
// ptr to next state
std::shared_ptr<State> nextState;
// ptr to self
std::weak_ptr<State> selfLoop;
// char
int regex;
// Constructor
State(const int c) : regex(c){}
// Destructor
~State();
};
#define START 256
#define FINAL 257
class Automata {
private:
std::shared_ptr<State> start;
public:
// Constructor, string should not be empty
Automata(const std::string &str);
// Destructor
~Automata();
// Determine a string matched regex
bool match(const std::string &str);
};
Automata
的构造函数基本上接受正则表达式并将其转换为NFA。(它有效!如果您感兴趣,请查看此内容:https://swtch.com/~rsc/regexp/regexp1.html)
编译Automata
的构造函数时发生编译器错误。它实现如下
Automata::Automata(const string &str) {
start = make_shared<State>(new State(START)); // Error is here, START defined above
for (loop traversing str) {
//add more states to start
}
}
我收到了一条错误消息
// A lot gibbrish above
Automata.cc:7:45: required from here
/usr/include/c++/4.8/ext/new_allocator.h:120:4: error: invalid conversion
from ‘State*’ to ‘int’ [-fpermissive]
{ ::new((void *)__p) _Up(std::forward<_Args>(__args)...); }
^
In file included from Automata.h:4:0,
from Automata.cc:2:
State.h:18:2: error: initializing argument 1 of ‘State::State(int)’ [-fpermissive]
State(const int c);
^
不确定我做错了什么。我对shared_ptr
完全不熟悉,所以我不知道它是make_shared
的问题还是State
构造函数的错误?你能帮我解决这个问题吗?
答案 0 :(得分:3)
你不想写:
Automata::Automata(const string &str) {
start = make_shared<State>(START); // make_shared will call new internally
for (loop traversing str) {
//add more states to start
}
}