解决方案可能很简单。再次可能这是不可能的。
我有基本的回调类:
class CFCallback {
int command_;
int transfer_rate_;
public:
CFCallback(int command, int transfer_rate = 0) {
command_ = command; transfer_rate_ = transfer_rate; }
virtual ~CFCallback() {}
virtual void operator()(void *data) = 0;
int GetCommand() { return command_; }
int GetTransferRate() { return transfer_rate_; }
};
这是从
CFCallback
派生的一个示例:void CFPacketVersion::InitiateVersion() {
class InitiateVersionCB : public CFCallback {
CFPacketVersion *visitor_;
public:
InitiateVersionCB(CFPacketVersion *v, int command) :
CFCallback(command) {
visitor_ = v;
}
void operator()(void *data) {
Packet *pkt = (Packet *)data;
unsigned char *pkt_data = pkt->GetData();
std::string version = "";
for(unsigned int i = 0; i < pkt->GetDataLength(); i++ )
version+= pkt_data[i];
delete []pkt_data;
boost::regex rex("CFA(.*?):h(.*?),v(.*?)$");
boost::smatch what;
if( boost::regex_match(version, what, rex) ) {
if(visitor_->GetModel()->GetName() != what[1].str() )
LCDInfo("Crystalfontz: Model mismatch");
visitor_->SetHardwareVersion(what[2]);
visitor_->SetFirmwareVersion(what[3]);
}
}
};
GetVersion(new InitiateVersionCB(this, 1));
}
GetVersion(CFCallback *)
提供给脚本引擎。我希望能够做到与
InitiateVersion
相同,但在javascript方面。那可能吗?我知道我需要为
CFCallback
注册元类型信息。但是我不知道是否可以使用指向CFCallback
的指针。我最初尝试的方法不起作用。另外,因为
CFCallback
是一个函子,所以我不确定如何将其转换为javascript。我想我可以使CFCallback
成为QObject
并提供从operator()
发出的信号。如果您有任何提示,请分享。 最佳答案
恐怕它无法按照您设置的方式工作。
如果您希望能够使用JavaScript创建回调,则需要一个具有可访问的GetVersion(QScriptValue)的QObject,脚本将使用该QObject传递基于脚本的回调实现。但是请注意,回调将无法使用未类型化的(void *)数据-您需要传递有效的QtScript对象或带有适当接口(interface)的QObject(例如示例中的Packet 1!)。
然后,您可以像这样包装它:
QtScript:
function mycb(packet) {
var pkt_data = packet.getData(); // pkt_data is probably a String or custom object with proper interface so to simplify things get the version as string
var version = pkt_data.toString();
pkt_data.release(); // to simulate delete [] pkt_data; this is part of custom interface
// proceed further with the regex checks
}
GetVersion(mycb); // implies that you define the GetVersion() as a property of the global object
C++:
QScriptValue getVersion(QScriptContext *ctx, QScriptEngine *engine)
{
void *data = ...;
Packet pkt_data = wrapPacketData(data);
// Packet is interface registered with QtScript or inherits QObject
// it has methods getData(), toString() and release()
QScriptValueList args;
QScriptValue pkt_data_param = engine->newQObject(&pkt_data);
args << pkt_data_param;
QScriptValue cb = ctx->argument(0);
Q_ASSERT(cb.isFunction()); // we expect a function object!
cb.call(QScriptValue(), args);
}
QScriptValue getVersionFun = engine->newFunction(getVersion);
engine->globalObject().setProperty(QLatin1String("GetVersion"), getVersionFun);
关于c++ - QtScript —通过C++端实现的脚本端回调,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/1712411/