我目前正在开发一个在服务器上运行并应在浏览器中显示数据的模拟器。
对于提供文件、通信和类似的东西,我想使用 Node.js。但是,我不确定它在计算部门是否会像我希望的那样执行,所以我想用 C++ 开发模拟部分。
模拟分为不同的“世界”,它们都以一些初始参数开始。
做这个的最好方式是什么?
我目前正在开发一个在服务器上运行并应在浏览器中显示数据的模拟器。
对于提供文件、通信和类似的东西,我想使用 Node.js。但是,我不确定它在计算部门是否会像我希望的那样执行,所以我想用 C++ 开发模拟部分。
模拟分为不同的“世界”,它们都以一些初始参数开始。
做这个的最好方式是什么?
好吧,V8 允许从 JavaScript 调用 C++ 代码。
所以你可以有你的代码的 3 部分:
World
。World
类的一部分。首先,了解 V8 和 C++ 是如何通信的。谷歌为此提供了指南:https ://developers.google.com/v8/embed
然后,您需要 node.js 特定的胶水。请参阅http://www.slideshare.net/nsm.nikhil/writing-native-bindings-to-nodejs-in-c和http://syskall.com/how-to-write-your-own-native-nodejs -延期
从上面的幻灯片链接:
#include <v8.h>
#include <node.h>
using namespace v8;
extern "C" {
static void init(Handle<Object> target) {}
NODE_MODULE(module_name, init)
}
我们可以将其扩展为更接近您想要的内容:
src/world.h
#ifndef WORLD_H_
#define WORLD_H_
class World {
public:
void update();
};
extern World MyWorld;
#endif
src/world.cpp
#include "world.h"
#include <iostream>
using std::cout;
using std::endl;
World MyWorld;
void World::update() {
cout << "Updating World" << endl;
}
src/bind.cpp
#include <v8.h>
#include <node.h>
#include "world.h"
using namespace v8;
static Handle<Value> UpdateBinding(const Arguments& args) {
HandleScope scope;
MyWorld.update();
return Undefined();
}
static Persistent<FunctionTemplate> updateFunction;
extern "C" {
static void init(Handle<Object> obj) {
v8::HandleScope scope;
Local<FunctionTemplate> updateTemplate = FunctionTemplate::New(UpdateBinding);
updateFunction = v8::Persistent<FunctionTemplate>::New(updateTemplate);
obj->Set(String::NewSymbol("update"), updateFunction->GetFunction());
}
NODE_MODULE(world, init)
}
演示/demo.js
var world = require('../build/Release/world.node');
world.update();
脚本
def set_options(opt):
opt.tool_options("compiler_cxx")
def configure(conf):
conf.check_tool("compiler_cxx")
conf.check_tool("node_addon")
def build(bld):
obj = bld.new_task_gen("cxx", "shlib", "node_addon")
obj.cxxflags = ["-g", "-D_FILE_OFFSET_BITS=64", "-D_LARGEFILE_SOURCE", "-Wall"]
# This is the name of our extension.
obj.target = "world"
obj.source = "src/world.cpp src/bind.cpp"
obj.uselib = []
在 Linux shell 上,一些设置:
node-waf configure
要构建,请运行:
node-waf
去测试:
node demo/demo.js
输出:
Updating World