//单行注释
/*
多行注释
多行注释
*/
//定义主模块,编译生成可执行程序
module main
//导入模块
import os
import time
//主函数,程序运行入口
pub fn main() {
println('say hello world') // 语句结尾不需要分号
println(os.args) // 使用os模块的args变量
println(time.now()) // 调用time模块的now函数
spawn my_fn(1, 2) // 跟go一样的并发
my_fn2(0) or { // or代码块,进行错误处理
panic(err.msg())
}
}
//模块内6个一级元素:常量,枚举,函数/方法,结构体,接口,类型
// 1.常量
// 单行常量
pub const usage = 'usage ...'
// 常量组
pub const (
version = '0.1.21'
supported_platforms = ['windows', 'mac', 'linux']
)
// 2.枚举
pub enum OS {
mac
linux
windows
}
// 3.函数-函数定义
// 函数的定义风格基本跟go一样,只是关键字改为更简短的fn,支持不确定个数参数,支持多返回值
// pub表示公共级别的访问控制,可以被模块外使用,否则只能在模块内使用
pub fn my_fn(x int, y int) int {
i := 1 //强类型,类型推断
s := 'abc' //变量默认不可变,约定用单引号表示字符串,双引号也可以,反引号才是单字符
mut a := 3 //可变用mut
a = 5 //声明可变后,才可修改
println(i)
println(s)
return a
}
// 3.函数-简洁的错误处理
pub fn my_fn2(x int) !int {
if x == 0 {
return error('this is an error.') // 抛出错误,然后在调用函数的or代码块进行错误处理
}
return x
}
// 3.函数-泛型函数
pub fn g_fn[T, U](x T, y U) (T, U) {
return x, y
}
// 3.方法-方法只是指定了接收者的函数,跟go一样
pub fn (mut p Point) move(x int, y int) {
p.x += x
p.y += y
}
// 4.结构体-结构体定义
pub struct Point {
//结构体字段一共有5种访问控制
// 1.默认私有且不可变
a int
// 2.私有,但可变
mut:
x int
y int
// 3.公共,但不可变
pub:
d int
// 4.模块内可访问且可变;模块外可访问,但是只读
pub mut:
e int
// 5.全局字段,模块内部和外部都可访问,可修改,这样等于破坏了封装性,不推荐使用
__global:
f int
}
// 4.结构体-泛型结构体
pub struct Repo[T] {
db DB
mut:
model T
}
pub struct DB {
}
// 5.接口-接口无须显式声明实现,鸭子类型,跟go一样
pub interface Walker {
name string //接口支持字段约束,表示实现该接口的结构体必须有该字段
walk(int, int) int
}
// 5.接口-泛型接口,跟泛型结构体使用基本一致
pub interface Gettable[T] {
get() T
}
// 6.类型-类型别名,可以基于基本类型,也可基于结构体类型创建类型别名
pub type Myint = int
// 6.类型-函数类型,表示一类相同签名的函数
pub type Fn_type = fn (int) int
// 6.类型-联合类型,跟typescript类似,表示类型Expr可以是这几种类型的其中一种
pub struct BinExpr {}
pub struct BoolExpr {}
pub struct UnaryExpr {}
pub type Expr = BinExpr | BoolExpr | UnaryExpr
// 6.类型-泛型联合类型
pub type MyOption[T] = Error | None | T
struct None {}