GETTING STARTED WITH THE OTTO JAVASCRIPT INTERPRETER
原文: https://www.fknsrs.biz/blog/otto-getting-started.html.html
6 minutes read
While you're reading this, keep in mind that I'm available for hire! If you've got a JavaScript project getting out of hand, or a Golang program that's more "stop" than "go," feel free to get in touch with me. I might be able to help you. You can find my resume here.
JavaScript is by far the most popular scripting language around right now. Born in a web browser, it’s been leaking out into the rest of the software ecosystem for about ten years. JavaScript is great for expressing short pieces of logic, and for prototyping. There are a range of high quality, open source JavaScript engines available for various purposes. The most popular is probably V8, powering projects like node.js and the Atom text editor. While V8 is an incredibly well-optimised piece of software, and there are several bindings of it to Go, the API isn’t very well-suited to close integration with the Go language. Luckily, we have a solid JavaScript engine written in pure Go. It’s called otto, and I’d like to teach you the very basics of using it.
There are a few important things you need to know if you’d like to use otto. The first is that it’s purely an interpreter - there’s no JIT compilation or fancy optimisations. While performance is important, the primary focus of otto is on rich integration with Go. The second is that (right now!) it strictly targets ES5, the fifth edition of the ECMAScript standard, ECMA-262. This is relevant because ECMA-262 actually doesn’t define an event or I/O model. This means thatsetTimeout
, setInterval
, XMLHttpRequest
, fetch
, and any other related things are provided by external packages (e.g. fknsrs.biz/p/ottoext). There are a handful of browser APIs in otto (like the console
object), but for the most part, if it’s not in ECMA-262, it’s not in otto.
So! Now that we have that out of the way, let’s get into some specifics. First, I’ll describe some important parts of the API. Then we’ll take that information and make a real program out of it!
API
I’m going to be leaving a lot of functions out of this description. For a full listing of what’s available, check out the godoc page.
I’ll also be skipping error checking in these examples, but that’s just to save space. The full program listing below will include error handling.
type Otto
- var vm otto.Otto
This type represents an interpreter instance. This is what you’ll use to actually run your JavaScript code. You can think of it as a tiny little self- contained JavaScript universe.
You can interact with this little universe in a variety of ways. You can put things into it (Set
), grab things out of it (Get
), and of course, run code in it (Run
).
func New() Otto
- vm := otto.New()
The New
function is used to create an Otto instance. There’s some setup that has to happen, so you have to use this constructor function.
func (Otto) Set(name string, v interface{}) error
- vm.Set("cool", true)
- vm.Set("greet", func(name string) {
- return fmt.Printf("hello, %s!\n", name)
- })
You can use Set
to set global variables in the interpreter. v
can be a lot of different things. For simple values (strings, numbers, booleans, nil), you can probably guess what happens.
If v
is a more complex, but still built-in type (slice, map), it’ll be turned into the equivalent JavaScript value. For a slice, that’ll be an array. For a map, it’ll be an object.
If v
is a struct, it’ll be passed through to the interpreter as an object with properties that refer to the fields and functions of that struct.
If v
is a function, otto will map it through to a JavaScript function in the interpreter. Stay tuned for a more detailed article about this in the near future!
Under the hood, this actually uses a function called ToValue
.
func (Otto) Run(src interface{}) (Value, error)
- vm.Run(`var a = 1;`)
The most obvious way to run code in the interpreter is the Run
function. This can take a string, a precompiled Script
object, an io.Reader
, or a Program
. The simplest option is a string, so that’s what we’ll be working with.
Run
will always run code in global scope. There’s also an Eval
method that will run code in the current interpreter scope, but I won’t be covering that in this article.
func (Otto) Get(name string) (Value, error)
- val, _ := vm.Get("greet")
This is one way to get output from the interpreter. Get
will reach in and grab things out of the global scope. One important thing about this is that you can’t use Get
to retrieve variables that are declared inside functions.
func (Value) Export() (interface{}, error)
- a, _ := val.Export()
- fmt.Printf("%#v\n", a) // prints `1`
Export
does the inverse of what happens when you Set
a value. Instead of taking a Go value and making it into a JavaScript value, it makes a JavaScript value into something you can use in Go code.
func (Value) Call(this Value, args …interface{}) (Value, error)
- fn, _ := vm.Get("greet")
- fn.Call(otto.NullValue(), "friends")
Call
only works with functions. If you have a handle to a JavaScript function, you can execute it with a given context (i.e. this
value) and optionally some arguments.
The arguments are converted in the same way as the Set
function.
Call
returns (Value, error)
. The Value
is the return value of the JavaScript function. If the JavaScript code throws an exception, or there’s an internal error in otto, the error
value will be non-nil.
There also exists a Call(src string, this interface{}, args ...interface{}) (Value, error)
function on the Otto
object itself. This is a sort of combination of Otto.Run
andValue.Call
. It evaluates the first argument, then if it results in a function, calls that function with the given this
value and arguments.
A whole program
Let’s plug all these things together and see what we come up with!
Note: some of this will be formatted a little strangely to save space here.
- package main
- import (
- "fmt"
- "github.com/robertkrimen/otto"
- )
- func greet(name string) {
- fmt.Printf("hello, %s!\n", name)
- }
- func main() {
- vm := otto.New()
- if err := vm.Set("greetFromGo", greet); err != nil {
- panic(err)
- }
- // `hello, friends!`
- if _, err := vm.Run(`greetFromGo('friends')`); err != nil {
- panic(err)
- }
- if _, err := vm.Run(`function greetFromJS(name) {
- console.log('hello, ' + name + '!');
- }`); err != nil {
- panic(err)
- }
- // `hello, friends!`
- if _, err := vm.Call(`greetFromJS`, nil, "friends"); err != nil {
- panic(err)
- }
- if _, err := vm.Run("var x = 1 + 1"); err != nil {
- panic(err)
- }
- val, err := vm.Get("x")
- if err != nil {
- panic(err)
- }
- v, err := val.Export()
- if err != nil {
- panic(err)
- }
- // (all numbers in JavaScript are floats!)
- // `float64: 2`
- fmt.Printf("%T: %v\n", v, v)
- if _, err := vm.Run(`function add(a, b) {
- return a + b;
- }`); err != nil {
- panic(err)
- }
- r, err := vm.Call("add", nil, 2, 3)
- if err != nil {
- panic(err)
- }
- // `5`
- fmt.Printf("%s\n", r)
- }
So there you have it, a whole program. It calls a Go function from JavaScript, calls a JavaScript function from Go, sets some stuff, gets some stuff, runs some code, and exports a JavaScript value to a Go value.
There’s plenty more to play around with in the otto JavaScript interpreter, and I’ll be covering some of these features in more detail, so stay tuned for more!
GETTING STARTED WITH THE OTTO JAVASCRIPT INTERPRETER的更多相关文章
- Dreamweaver 扩展开发:C-level extensibility and the JavaScript interpreter
The C code in your library must interact with the Dreamweaver JavaScript interpreter at the followin ...
- Go 语言相关的优秀框架,库及软件列表
If you see a package or project here that is no longer maintained or is not a good fit, please submi ...
- Awesome Go精选的Go框架,库和软件的精选清单.A curated list of awesome Go frameworks, libraries and software
Awesome Go financial support to Awesome Go A curated list of awesome Go frameworks, libraries a ...
- Dreamweaver 扩展开发: Calling a C++ function from JavaScript
After you understand how C-level extensibility works in Dreamweaver and its dependency on certain da ...
- JavaScript资源大全中文版(Awesome最新版)
Awesome系列的JavaScript资源整理.awesome-javascript是sorrycc发起维护的 JS 资源列表,内容包括:包管理器.加载器.测试框架.运行器.QA.MVC框架和库.模 ...
- 【repost】JavaScript Scoping and Hoisting
JavaScript Scoping and Hoisting Do you know what value will be alerted if the following is executed ...
- 我所知道的Javascript
javascript到了今天,已经不再是我10多年前所认识的小脚本了.最近我也开始用javascript编写复杂的应用,所以觉得有必要将自己的javascript知识梳理一下.同大家一起分享javas ...
- The Dangers of JavaScript’s Automatic Semicolon Insertion
Although JavaScript is very powerful, the language’s fundamentals do not have a very steep learning ...
- 45 Useful JavaScript Tips, Tricks and Best Practices(有用的JavaScript技巧,技巧和最佳实践)
As you know, JavaScript is the number one programming language in the world, the language of the web ...
随机推荐
- TCP/IP 协议分层
协议分层 可能大家对OSI七层模型并不陌生,它将网络协议很细致地从逻辑上分为了7层.但是实际运用中并不是按七层模型,一般大家都只使用5层模型.如下: 物理层:一般包括物理媒介,电信号,光信号等,主要对 ...
- CAD交互绘制圆弧(com接口)
在CAD设计时,需要绘制圆弧,用户可以在图面点圆弧起点,圆弧上的一点和圆弧的终点,这样就绘制出圆弧. 主要用到函数说明: _DMxDrawX::DrawArc2 由圆弧上的三点绘制一个圆弧.详细说明如 ...
- CAD交互绘制多段线(com接口)
多段线又被称为多义线,表示一起画的都是连在一起的一个复合对象,可以是直线也可以是圆弧并且它们还可以加不同的宽度. 主要用到函数说明: _DMxDrawX::DrawLine 绘制一个直线.详细说明如下 ...
- B4. Concurrent JVM 锁机制(synchronized)
[概述] JVM 通过 synchronized 关键字提供锁,用于在线程同步中保证线程安全. [synchronized 实现原理] synchronized 可以用于代码块或者方法中,产生同步代码 ...
- hdfs深入:07、hdfs的文件的读取过程
详细步骤解析 1. Client向NameNode发起RPC请求,来确定请求文件block所在的位置: 2. NameNode会视情况返回文件的部分或者全部block列表,对于每个block,Name ...
- socket编程(Java实现)
主要是前段时间学习的网络知识的基于TCP与UDP编程,Java实现简单的大小写字母的转化,该文主要参考: https://blog.csdn.net/yjp19871013/article/detai ...
- js 技巧 (十)广告JS代码效果大全 【3】
3.[允许关闭] 与前面两个代码不同的是,广告图下方增加了一个图片按纽,允许访客点击关闭广告图片,下面文本框中就是实现效果所需代码: var delta=0.015; var coll ...
- centos passwo文件被删除
错误提示 该问题一般由/etc/passwd被清空,删除,移动,改名等造成,需要通过救援模式恢复,操作步骤如下 真实环境已经解决,这里使用vmware模拟.光盘启动,选择救援模式: 语言选择,键盘布局 ...
- css布局的各种FC简单介绍:BFC,IFC,GFC,FFC
什么是FC? Formatting Context,格式化上下文,指页面中一个渲染区域,拥有一套渲染规则,它决定了其子元素如何定位,以及与其他元素的相互关系和作用. BFC 什么是BFC Block ...
- prometheus监控linux系统
安装node exporter 创建Systemd服务 #vim /etc/systemd/system/node_exporter.service[Unit]Description=mysql_ex ...