4 个版本 (重大更新)
0.5.0 | 2023年7月30日 |
---|---|
0.4.0 | 2023年7月30日 |
0.3.0 | 2023年7月5日 |
0.2.0 | 2023年7月3日 |
编程语言分类中的第313位
每月下载量30次
用于 bundvm
2MB
39K SLoC
Steel
data:image/s3,"s3://crabby-images/d0b12/d0b1235874a19a39cb8df99b8d138973bb86ea95" alt=""
入门
此 GitHub 仓库包含一个命令行解释器。要在线游乐场中试用,请访问 Steel 游乐场。要开始使用带有 crates 的重放,请确保您首先已安装 Rust。
然后,克隆仓库并运行以下命令
cargo run
这将启动一个类似于下面的 REPL 实例
软件包
如果您想安装和使用软件包,请设置 STEEL_HOME
环境变量。这将是软件包安装的位置。Steel 目前不假设任何默认值。
关于
Steel
是一个可嵌入的 Scheme 解释器,同时包含一个独立的命令行界面。受到 Racket 和 Clojure 的很大启发,该语言旨在成为一个便于嵌入到应用程序中或独立使用的 Scheme 变体,其中高性能函数是用 Rust 实现的。语言实现本身包含一个相当强大的基于 syntax-rules
风格的宏系统,以及一个字节码虚拟机。目前,它并不与任何特定的 Scheme 规范完全兼容。
警告 API 非常不稳定,没有保证,并且可能在 1.0 版本之前随时更改。毫无疑问,存在许多错误,我不会认为 Steel 已经准备好用于生产。话虽如此,我确实将其用作许多脚本任务的日常驱动。
功能
- 支持有限的
syntax-rules
风格宏 - 易于与 Rust 函数和结构体集成
- 可以从 Rust 或通过单独的文件轻松调用脚本
- 高效 - 常用函数和数据结构已针对性能进行优化(如
map
、filter
等) - 高阶合约
- 内置不可变数据结构包括
- 列表
- 向量
- 哈希表
- 哈希集
合约
受Racket的更高阶合同启发,Steel
实现了更高阶合同,以支持基于合同的编程,使用define/contract
宏来简化使用。Racket使用了一个名为blame的概念来识别违规方——Steel
尚未完全实现blame,但这正在逐步进行。以下是一些示例
;; Simple flat contracts
(define/contract (test x y)
(->/c even? even? odd?)
(+ x y 1))
(test 2 2) ;; => 5
(define/contract (test-violation x y)
(->/c even? even? odd?)
(+ x y 1))
(test-violation 1 2) ;; contract violation
合同作为值实现,因此它们绑定到函数。这使得可以在函数自身上使用合同检查,因为函数可以被传递
;; Higher order contracts, check on application
(define/contract (higher-order func y)
(->/c (->/c even? odd?) even? even?)
(+ 1 (func y)))
(higher-order (lambda (x) (+ x 1)) 2) ;; => 4
(define/contract (higher-order-violation func y)
(->/c (->/c even? odd?) even? even?)
(+ 1 (func y)))
(higher-order-violation (lambda (x) (+ x 2)) 2) ;; contract violation
函数上的合同在应用之前不会进行检查,所以返回一个合同化函数的函数不会在真正使用之前引发违规
;; More higher order contracts, get checked on application
(define/contract (output)
(->/c (->/c string? int?))
(lambda (x) 10))
(define/contract (accept func)
(->/c (->/c string? int?) string?)
"cool cool cool")
(accept (output)) ;; => "cool cool cool"
;; different contracts on the argument
(define/contract (accept-violation func)
(->/c (->/c string? string?) string?)
(func "applesauce")
"cool cool cool")
(accept-violation (output)) ;; contract violation
;; generates a function
(define/contract (generate-closure)
(->/c (->/c string? int?))
(lambda (x) 10))
;; calls generate-closure which should result in a contract violation
(define/contract (accept-violation)
(->/c (->/c string? string?))
(generate-closure))
((accept-violation) "test") ;; contract violation
可能是一个更细微的案例
(define/contract (output)
(->/c (->/c string? int?))
(lambda (x) 10.2))
(define/contract (accept)
(->/c (->/c string? number?))
(output))
((accept) "test") ;; contract violation 10.2 satisfies number? but _not_ int?
* 正在逐步进行中
转换器
受clojure的转换器启发,Steel
有一个类似的对象,它在转换器和迭代器之间。考虑以下
(mapping (lambda (x) (+ x 1))) ;; => <#iterator>
(filtering even?) ;; => <#iterator>
(taking 15) ;; => <#iterator>
(compose
(mapping add1)
(filtering odd?)
(taking 15)) ;; => <#iterator>
这些表达式中的每一个都发出一个<#iterator>
对象,这意味着它们与transduce
兼容。transduce
接受一个转换器(即<#iterator>
)和一个可以迭代的集合(list
、vector
、stream
、hashset
、hashmap
、string
、struct
)并将转换器应用到该集合。
;; Accepts lists
(transduce (list 1 2 3 4 5) (mapping (lambda (x) (+ x 1))) (into-list)) ;; => '(2 3 4 5 6)
;; Accepts vectors
(transduce (vector 1 2 3 4 5) (mapping (lambda (x) (+ x 1))) (into-vector)) ;; '#(2 3 4 5 6)
;; Even accepts streams!
(define (integers n)
(stream-cons n (lambda () (integers (+ 1 n)))))
(transduce (integers 0) (taking 5) (into-list)) ;; => '(0 1 2 3 4)
Transduce还接受一个reducer函数。上面我们使用了into-list
和into-vector
,但下面我们可以使用任何任意的reducer
;; (-> transducer reducing-function initial-value iterable)
(transduce (list 0 1 2 3) (mapping (lambda (x) (+ x 1))) (into-reducer + 0)) ;; => 10
Compose只是组合迭代器函数,使我们能够避免中间分配。组合从左到右工作——它将每个值通过函数链,然后累积到输出类型。请看以下
(define xf
(compose
(mapping add1)
(filtering odd?)
(taking 5)))
(transduce (range 0 100) xf (into-list)) ;; => '(1 3 5 7 9)
语法选择
Steel
在定义变量和函数方面有一定的偏好。这些选择相当任意,除了我从Racket借用的简写函数语法。我非常鼓励使用defn
和fn
,因为这样可以少输入一些字符。
;; All of the following are equivalent
(define (foo x) (+ x 1))
(define foo (lambda (x) (+ x 1)))
(defn (foo x) (+ x 1))
(defn foo (lambda (x) (+ x 1)))
;; All of the following are equivalent
(lambda (x) (+ x 1))
(λ (x) (+ x 1))
(fn (x) (+ x 1))
模块
为了支持不断增长的代码库,Steel支持跨多个文件的模块。Steel文件可以provide
(附带合同)值,并从其他文件require
模块
;; main.scm
(require "provide.scm")
(even->odd 10)
;; provide.scm
(provide
(contract/out even->odd (->/c even? odd?))
no-contract
flat-value)
(define (even->odd x)
(+ x 1))
(define (accept-number x) (+ x 10))
(define (no-contract) "cool cool cool")
(define flat-value 15)
(displayln "Calling even->odd with some bad inputs but its okay")
(displayln (even->odd 1))
在这里,如果我们运行main
,它将包括provide
的内容,并且只有提供的值可以从main
访问。合同在合同边界处附加,因此在provide
模块内部,您可以违反合同,但在模块外部合同将得到应用。
关于模块的几点说明
- 不允许循环依赖
- 模块将只编译一次并在多个文件中使用。如果
A
需要B
和C
,并且B
需要C
,那么C
将只编译一次并在A
和B
之间共享。 - 模块在更改时将重新编译,并且任何依赖的文件也将根据需要重新编译
性能
初步基准测试显示在我的机器上的以下结果
基准 | Steel | Python |
---|---|---|
(fib 28) | 63.383ms | 65.10 ms |
(ack 3 3) | 0.303 ms | 0.195 ms |
在虚拟机中嵌入Rust值的示例
将Rust的值、类型和函数轻松嵌入到Steel中。使用register_fn
调用,您可以轻松嵌入函数。
use steel_vm::engine::Engine;
use steel_vm::register_fn::RegisterFn;
fn external_function(arg1: usize, arg2: usize) -> usize {
arg1 + arg2
}
fn option_function(arg1: Option<String>) -> Option<String> {
arg1
}
fn result_function(arg1: Option<String>) -> Result<String, String> {
if let Some(inner) = arg1 {
Ok(inner)
} else {
Err("Got a none".to_string())
}
}
pub fn main() {
let mut vm = Engine::new();
// Here we can register functions
// Any function can accept parameters that implement `FromSteelVal` and
// return values that implement `IntoSteelVal`
vm.register_fn("external-function", external_function);
// See the docs for more information about `FromSteelVal` and `IntoSteelVal`
// but we can see even functions that accept/return Option<T> or Result<T,E>
// can be registered
vm.register_fn("option-function", option_function);
// Result values will map directly to errors in the VM and bubble back up
vm.register_fn("result-function", result_function);
vm.run(
r#"
(define foo (external-function 10 25))
(define bar (option-function "applesauce"))
(define baz (result-function "bananas"))
"#,
)
.unwrap();
let foo = vm.extract::<usize>("foo").unwrap();
println!("foo: {}", foo);
assert_eq!(35, foo);
// Can also extract a value by specifying the type on the variable
let bar: String = vm.extract("bar").unwrap();
println!("bar: {}", bar);
assert_eq!("applesauce".to_string(), bar);
let baz: String = vm.extract("baz").unwrap();
println!("baz: {}", baz);
assert_eq!("bananas".to_string(), baz);
}
我们还可以嵌入结构本身。
use steel_vm::engine::Engine;
use steel_vm::register_fn::RegisterFn;
use steel_derive::Steel;
// In order to register a type with Steel,
// it must implement Clone, Debug, and Steel
#[derive(Clone, Debug, Steel, PartialEq)]
pub struct ExternalStruct {
foo: usize,
bar: String,
baz: f64,
}
impl ExternalStruct {
pub fn new(foo: usize, bar: String, baz: f64) -> Self {
ExternalStruct { foo, bar, baz }
}
// Embedding functions that take self by value
pub fn method_by_value(self) -> usize {
self.foo
}
pub fn method_by_reference(&self) -> usize {
self.foo
}
// Setters should update the value and return a new instance (functional set)
pub fn set_foo(mut self, foo: usize) -> Self {
self.foo = foo;
self
}
}
pub fn main() {
let mut vm = Engine::new();
// Registering a type gives access to a predicate for the type
vm.register_type::<ExternalStruct>("ExternalStruct?");
// Structs in steel typically have a constructor that is the name of the struct
vm.register_fn("ExternalStruct", ExternalStruct::new);
// register_fn can be chained
vm.register_fn("method-by-value", ExternalStruct::method_by_value)
.register_fn("method-by-reference", ExternalStruct::method_by_reference)
.register_fn("set-foo", ExternalStruct::set_foo);
let external_struct = ExternalStruct::new(1, "foo".to_string(), 12.4);
// Registering an external value is fallible if the conversion fails for some reason
// For instance, registering an Err(T) is fallible. However, most implementation outside of manual
// ones should not fail
vm.register_external_value("external-struct", external_struct)
.unwrap();
let output = vm
.run(
r#"
(define new-external-struct (set-foo external-struct 100))
(define get-output (method-by-value external-struct))
(define second-new-external-struct (ExternalStruct 50 "bananas" 72.6))
"last-result"
"#,
)
.unwrap();
let new_external_struct = vm.extract::<ExternalStruct>("new-external-struct").unwrap();
println!("new_external_struct: {:?}", new_external_struct);
assert_eq!(
ExternalStruct::new(100, "foo".to_string(), 12.4),
new_external_struct
);
// Can also extract a value by specifying the type on the variable
let get_output: usize = vm.extract("get-output").unwrap();
println!("get_output: {}", get_output);
assert_eq!(1, get_output);
let second_new_external_struct: ExternalStruct =
vm.extract("second-new-external-struct").unwrap();
println!(
"second_new_external_struct: {:?}",
second_new_external_struct
);
assert_eq!(
ExternalStruct::new(50, "bananas".to_string(), 72.6),
second_new_external_struct
);
// We also get the output of the VM as the value of every expression run
// we can inspect the results just by printing like so
println!("{:?}", output);
}
请参阅示例文件夹,了解更多关于嵌入值和与外部世界交互的示例。
许可证
以下任一许可证下授权:
- Apache License, Version 2.0 (LICENSE-APACHE 或 https://apache.ac.cn/licenses/LICENSE-2.0)
- MIT license (LICENSE-MIT 或 http://opensource.org/licenses/MIT)
由您选择。
贡献
除非您明确声明,否则根据Apache-2.0许可证定义的,您提交的任何有意包含在作品中的贡献,将按上述方式双重许可,不附加任何额外条款或条件。
依赖项
~46–63MB
~1M SLoC