1
0
mirror of https://github.com/vlang/v.git synced 2023-08-10 21:13:21 +03:00

all: migrate to the new Option (p. 1) (#8924)

This commit is contained in:
spaceface 2021-02-28 20:24:29 +01:00 committed by GitHub
parent e354dcefc2
commit b9a381f101
No known key found for this signature in database
GPG Key ID: 4AEE18F83AFDEB23
34 changed files with 244 additions and 214 deletions

View File

@ -177,7 +177,7 @@ ${flag.space}to script it/run it in a restrictive vps/docker.
context.vc_repo_url = os.real_path(context.vc_repo_url)
}
commits := fp.finalize() or {
eprintln('Error: ' + err)
eprintln('Error: $err')
exit(1)
}
for commit in commits {

View File

@ -148,7 +148,7 @@ fn (mut context Context) parse_options() {
scripting.set_verbose(true)
}
commands := fp.finalize() or {
eprintln('Error: ' + err)
eprintln('Error: $err')
exit(1)
}
context.commands = context.expand_all_commands(commands)

View File

@ -210,10 +210,10 @@ fn (vd VDoc) get_readme(path string) string {
return readme_contents
}
fn (vd VDoc) emit_generate_err(err string, errcode int) {
fn (vd VDoc) emit_generate_err(err Error) {
cfg := vd.cfg
mut err_msg := err
if errcode == 1 {
mut err_msg := err.msg
if err.code == 1 {
mod_list := get_modules_list(cfg.input_path, []string{})
println('Available modules:\n==================')
for mod in mod_list {
@ -288,12 +288,12 @@ fn (mut vd VDoc) generate_docs_from_file() {
vd.vprintln('Generating $out.typ docs for "$dirpath"')
if is_local_and_single {
dcs = doc.generate_with_pos(dirpath, cfg.local_filename, cfg.local_pos) or {
vd.emit_generate_err(err, errcode)
vd.emit_generate_err(err)
exit(1)
}
} else {
dcs = doc.generate(dirpath, cfg.pub_only, true) or {
vd.emit_generate_err(err, errcode)
vd.emit_generate_err(err)
exit(1)
}
}

View File

@ -377,6 +377,7 @@ fn main() {
mut tsession := testing.new_test_session(cmd_prefix)
tsession.files << all_test_files
tsession.skip_files << skip_test_files
tsession.skip_files << 'vlib/v/tests/option_print_errors_test.v'
mut werror := false
mut sanitize_memory := false
mut sanitize_address := false

View File

@ -72,26 +72,38 @@ pub fn error_with_code(message string, code int) Option {
}
}
// Option2 is the base of V's new internal optional return system.
struct Option2 {
state byte
err Error
}
// OptionBase is the the base of V's internal optional return system.
struct OptionBase2 {
state byte
err Error
// Data is trailing after err
// and is not included in here but in the
// derived Option2_xxx types
}
// Error holds information about an error instance
struct Error {
pub struct Error {
pub:
msg string
code int
}
[inline]
fn (e Error) str() string {
// TODO: this should probably have a better str method,
// but this minimizes the amount of broken code after #8924
return e.msg
}
// `fn foo() ?Foo { return foo }` => `fn foo() ?Foo { return opt_ok(foo); }`
fn opt_ok(data voidptr, mut option Option2, size int) {
unsafe {
*option = Option2{}
// use err to get the end of OptionBase and then memcpy into it
C.memcpy(byteptr(&option.err) + sizeof(Error), data, size)
}
}
// /*
pub fn (o Option2) str() string {
if o.state == 0 {
@ -100,14 +112,7 @@ pub fn (o Option2) str() string {
if o.state == 1 {
return 'Option2{ none }'
}
return 'Option2{ err: "$o.err.msg" }'
}
// opt_none is used internally when returning `none`.
fn opt_none2() Option2 {
return Option2{
state: 1
}
return 'Option2{ err: "$o.err" }'
}
// error returns an optional containing the error given in `message`.

View File

@ -137,7 +137,7 @@ fn test_finalize_returns_error_for_unknown_flags() {
mut fp := flag.new_flag_parser(['--known', '--unknown'])
fp.bool('known', 0, false, '')
finalized := fp.finalize() or {
assert err == "Unknown argument 'unknown'"
assert err.msg == "Unknown argument 'unknown'"
return
}
assert finalized.len < 0 // expect error to be returned
@ -199,7 +199,7 @@ fn test_error_for_to_few_free_args() {
mut fp1 := flag.new_flag_parser(['a', 'b', 'c'])
fp1.limit_free_args(5, 6)
args := fp1.finalize() or {
assert err.starts_with('Expected at least 5 arguments')
assert err.msg.starts_with('Expected at least 5 arguments')
return
}
assert args.len < 0 // expect an error and need to use args
@ -209,7 +209,7 @@ fn test_error_for_to_much_free_args() {
mut fp1 := flag.new_flag_parser(['a', 'b', 'c'])
fp1.limit_free_args(1, 2)
args := fp1.finalize() or {
assert err.starts_with('Expected at most 2 arguments')
assert err.msg.starts_with('Expected at most 2 arguments')
return
}
assert args.len < 0 // expect an error and need to use args
@ -219,7 +219,7 @@ fn test_could_expect_no_free_args() {
mut fp1 := flag.new_flag_parser(['a'])
fp1.limit_free_args(0, 0)
args := fp1.finalize() or {
assert err.starts_with('Expected no arguments')
assert err.msg.starts_with('Expected no arguments')
return
}
assert args.len < 0 // expect an error and need to use args

View File

@ -26,7 +26,7 @@ pub fn temp_file(tfo TempFileOptions) ?(os.File, string) {
}
d = d.trim_right(os.path_separator)
mut rng := rand.new_default(rand.PRNGConfigStruct{})
prefix, suffix := prefix_and_suffix(tfo.pattern) or { return error(@FN + ' ' + err) }
prefix, suffix := prefix_and_suffix(tfo.pattern) or { return error(@FN + ' ' + err.msg) }
for retry := 0; retry < retries; retry++ {
path := os.join_path(d, prefix + random_number(mut rng) + suffix)
mut mode := 'rw+'
@ -62,7 +62,7 @@ pub fn temp_dir(tdo TempFileOptions) ?string {
}
d = d.trim_right(os.path_separator)
mut rng := rand.new_default(rand.PRNGConfigStruct{})
prefix, suffix := prefix_and_suffix(tdo.pattern) or { return error(@FN + ' ' + err) }
prefix, suffix := prefix_and_suffix(tdo.pattern) or { return error(@FN + ' ' + err.msg) }
for retry := 0; retry < retries; retry++ {
path := os.join_path(d, prefix + random_number(mut rng) + suffix)
os.mkdir_all(path) or {

View File

@ -291,7 +291,7 @@ fn test_errors() {
data := '{"countries":[{"cities":[{"name":"London"},{"name":"Manchester"}],"name":"UK"},{"cities":{"name":"Donlon"},"name":"KU"}],"users":{"Foo":{"age":10,"nums":[1,2,3],"lastName":"Johnson","IsRegistered":true,"type":0,"pet_animals":"little foo"},"Boo":{"age":20,"nums":[5,3,1],"lastName":"Smith","IsRegistered":false,"type":4,"pet_animals":"little boo"}},"extra":{"2":{"n1":2,"n2":4,"n3":8,"n4":16},"3":{"n1":3,"n2":9,"n3":27,"n4":81}}}'
json.decode(Data, data) or {
println(err)
assert err.starts_with('Json element is not an array:')
assert err.msg.starts_with('Json element is not an array:')
return
}
assert false
@ -300,7 +300,7 @@ fn test_errors() {
data := '{"countries":[{"cities":[{"name":"London"},{"name":"Manchester"}],"name":"UK"},{"cities":[{"name":"Donlon"},{"name":"Termanches"}],"name":"KU"}],"users":[{"age":10,"nums":[1,2,3],"lastName":"Johnson","IsRegistered":true,"type":0,"pet_animals":"little foo"},{"age":20,"nums":[5,3,1],"lastName":"Smith","IsRegistered":false,"type":4,"pet_animals":"little boo"}],"extra":{"2":{"n1":2,"n2":4,"n3":8,"n4":16},"3":{"n1":3,"n2":9,"n3":27,"n4":81}}}'
json.decode(Data, data) or {
println(err)
assert err.starts_with('Json element is not an object:')
assert err.msg.starts_with('Json element is not an object:')
return
}
assert false

View File

@ -53,7 +53,7 @@ fn should_escape(c byte, mode EncodingMode) bool {
// we could possibly allow, and parse will reject them if we
// escape them (because hosts can`t use %-encoding for
// ASCII bytes).
if
if
c in [`!`, `$`, `&`, `\\`, `(`, `)`, `*`, `+`, `,`, `;`, `=`, `:`, `[`, `]`, `<`, `>`, `"`] {
return false
}
@ -401,7 +401,7 @@ fn split_by_scheme(rawurl string) ?[]string {
}
fn get_scheme(rawurl string) ?string {
split := split_by_scheme(rawurl) or { return err }
split := split_by_scheme(rawurl) or { return err.msg }
return split[0]
}
@ -584,9 +584,9 @@ fn parse_host(host string) ?string {
// We do impose some restrictions on the zone, to avoid stupidity
// like newlines.
if zone := host[..i].index('%25') {
host1 := unescape(host[..zone], .encode_host) or { return err }
host2 := unescape(host[zone..i], .encode_zone) or { return err }
host3 := unescape(host[i..], .encode_host) or { return err }
host1 := unescape(host[..zone], .encode_host) or { return err.msg }
host2 := unescape(host[zone..i], .encode_zone) or { return err.msg }
host3 := unescape(host[i..], .encode_host) or { return err.msg }
return host1 + host2 + host3
}
if idx := host.last_index(':') {
@ -597,7 +597,7 @@ fn parse_host(host string) ?string {
}
}
}
h := unescape(host, .encode_host) or { return err }
h := unescape(host, .encode_host) or { return err.msg }
return h
// host = h
// return host

View File

@ -34,7 +34,7 @@ fn test_open_file() {
filename := './test1.txt'
hello := 'hello world!'
os.open_file(filename, 'r+', 0o666) or {
assert err == 'No such file or directory'
assert err.msg == 'No such file or directory'
os.File{}
}
mut file := os.open_file(filename, 'w+', 0o666) or { panic(err) }
@ -50,7 +50,7 @@ fn test_open_file_binary() {
filename := './test1.dat'
hello := 'hello \n world!'
os.open_file(filename, 'r+', 0o666) or {
assert err == 'No such file or directory'
assert err.msg == 'No such file or directory'
os.File{}
}
mut file := os.open_file(filename, 'wb+', 0o666) or { panic(err) }
@ -201,7 +201,7 @@ fn test_cp() {
old_file_name := 'cp_example.txt'
new_file_name := 'cp_new_example.txt'
os.write_file(old_file_name, 'Test data 1 2 3, V is awesome #$%^[]!~') or { panic(err) }
os.cp(old_file_name, new_file_name) or { panic('$err: errcode: $errcode') }
os.cp(old_file_name, new_file_name) or { panic('$err') }
old_file := os.read_file(old_file_name) or { panic(err) }
new_file := os.read_file(new_file_name) or { panic(err) }
assert old_file == new_file

View File

@ -62,6 +62,10 @@ pub fn (mut c Checker) check_basic(got table.Type, expected table.Type) bool {
if got_sym.kind == .function && exp_sym.kind == .function {
return c.check_matching_function_symbols(got_sym, exp_sym)
}
// allow using Error as a string for now (avoid a breaking change)
if got == table.error_type_idx && expected == table.string_type_idx {
return true
}
return false
}

View File

@ -78,6 +78,10 @@ mut:
fn_scope &ast.Scope = voidptr(0)
used_fns map[string]bool // used_fns['println'] == true
main_fn_decl_node ast.FnDecl
// TODO: these are here temporarily and used for deprecations; remove soon
using_new_err_struct bool
inside_selector_expr bool
inside_println_arg bool
}
pub fn new_checker(table &table.Table, pref &pref.Preferences) Checker {
@ -1894,11 +1898,13 @@ pub fn (mut c Checker) call_fn(mut call_expr ast.CallExpr) table.Type {
}
// println / eprintln can print anything
if fn_name in ['println', 'print', 'eprintln', 'eprint'] && call_expr.args.len > 0 {
c.inside_println_arg = true
c.expected_type = table.string_type
call_expr.args[0].typ = c.expr(call_expr.args[0].expr)
if call_expr.args[0].typ.has_flag(.shared_f) {
c.fail_if_not_rlocked(call_expr.args[0].expr, 'argument to print')
}
c.inside_println_arg = false
/*
// TODO: optimize `struct T{} fn (t &T) str() string {return 'abc'} mut a := []&T{} a << &T{} println(a[0])`
// It currently generates:
@ -1914,6 +1920,15 @@ pub fn (mut c Checker) call_fn(mut call_expr ast.CallExpr) table.Type {
*/
return f.return_type
}
// `return error(err)` -> `return err`
if fn_name == 'error' {
arg := call_expr.args[0]
call_expr.args[0].typ = c.expr(arg.expr)
if call_expr.args[0].typ == table.error_type {
c.warn('`error($arg)` can be shortened to just `$arg`', call_expr.pos)
}
}
// TODO: typ optimize.. this node can get processed more than once
if call_expr.expected_arg_types.len == 0 {
for param in f.params {
@ -2189,6 +2204,13 @@ fn is_expr_panic_or_exit(expr ast.Expr) bool {
pub fn (mut c Checker) selector_expr(mut selector_expr ast.SelectorExpr) table.Type {
prevent_sum_type_unwrapping_once := c.prevent_sum_type_unwrapping_once
c.prevent_sum_type_unwrapping_once = false
using_new_err_struct_save := c.using_new_err_struct
// TODO remove; this avoids a breaking change in syntax
if '$selector_expr.expr' == 'err' {
c.using_new_err_struct = true
}
// T.name, typeof(expr).name
mut name_type := 0
match mut selector_expr.expr {
@ -2215,7 +2237,13 @@ pub fn (mut c Checker) selector_expr(mut selector_expr ast.SelectorExpr) table.T
selector_expr.name_type = name_type
return table.string_type
}
//
old_selector_expr := c.inside_selector_expr
c.inside_selector_expr = true
typ := c.expr(selector_expr.expr)
c.inside_selector_expr = old_selector_expr
//
c.using_new_err_struct = using_new_err_struct_save
if typ == table.void_type_idx {
c.error('unknown selector expression', selector_expr.pos)
return table.void_type
@ -2361,7 +2389,7 @@ pub fn (mut c Checker) return_stmt(mut return_stmt ast.Return) {
return_stmt.types = got_types
// allow `none` & `error (Option)` return types for function that returns optional
if exp_is_optional
&& got_types[0].idx() in [table.none_type_idx, c.table.type_idxs['Option'], c.table.type_idxs['Option2']] {
&& got_types[0].idx() in [table.none_type_idx, table.error_type_idx, c.table.type_idxs['Option'], c.table.type_idxs['Option2']] {
return
}
if expected_types.len > 0 && expected_types.len != got_types.len {
@ -4149,6 +4177,13 @@ pub fn (mut c Checker) ident(mut ident ast.Ident) table.Type {
typ: typ
is_optional: is_optional
}
if typ == table.error_type && c.expected_type == table.string_type
&& !c.using_new_err_struct && !c.inside_selector_expr
&& !c.inside_println_arg && 'v.' !in c.file.mod.name && !c.is_builtin_mod {
// ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ <- TODO: remove; this prevents a failure in the `performance-regressions` CI job
c.warn('string errors are deprecated; use `err.msg` instead',
ident.pos)
}
// if typ == table.t_type {
// sym := c.table.get_type_symbol(c.cur_generic_type)
// println('IDENT T unresolved $ident.name typ=$sym.name')
@ -4243,6 +4278,8 @@ pub fn (mut c Checker) ident(mut ident ast.Ident) table.Type {
}
if ident.tok_kind == .assign {
c.error('undefined ident: `$ident.name` (use `:=` to declare a variable)', ident.pos)
} else if ident.name == 'errcode' {
c.error('undefined ident: `errcode`; did you mean `err.code`?', ident.pos)
} else {
c.error('undefined ident: `$ident.name`', ident.pos)
}

View File

@ -139,9 +139,9 @@ fn (mut g Gen) gen_str_for_option(typ table.Type, styp string, str_fn_name strin
g.type_definitions.writeln('string indent_${str_fn_name}($styp it, int indent_count); // auto')
g.auto_str_funcs.writeln('string indent_${str_fn_name}($styp it, int indent_count) {')
g.auto_str_funcs.writeln('\tstring res;')
g.auto_str_funcs.writeln('\tif (it.is_none) {')
g.auto_str_funcs.writeln('\tif (it.state == 1) {')
g.auto_str_funcs.writeln('\t\tres = _SLIT("none");')
g.auto_str_funcs.writeln('\t} else if (it.ok) {')
g.auto_str_funcs.writeln('\t} else if (it.state == 0) {')
if sym.kind == .string {
g.auto_str_funcs.writeln('\t\tres = _STR("\'%.*s\\000\'", 2, ${parent_str_fn_name}(*($sym.cname*)it.data));')
} else if sym.kind == .struct_ && !sym_has_str_method {
@ -150,7 +150,7 @@ fn (mut g Gen) gen_str_for_option(typ table.Type, styp string, str_fn_name strin
g.auto_str_funcs.writeln('\t\tres = ${parent_str_fn_name}(*($sym.cname*)it.data);')
}
g.auto_str_funcs.writeln('\t} else {')
g.auto_str_funcs.writeln('\t\tres = _STR("error: \'%.*s\\000\'", 2, it.v_error);')
g.auto_str_funcs.writeln('\t\tres = _STR("error: \'%.*s\\000\'", 2, it.err.msg);')
g.auto_str_funcs.writeln('\t}')
g.auto_str_funcs.writeln('\treturn _STR("Option(%.*s\\000)", 2, res);')
g.auto_str_funcs.writeln('}')

View File

@ -548,6 +548,9 @@ fn (mut g Gen) base_type(t table.Type) string {
if nr_muls > 0 {
styp += strings.repeat(`*`, nr_muls)
}
// if styp == 'Option' {
// return 'Option2'
// }
return styp
}
@ -557,7 +560,7 @@ fn (mut g Gen) base_type(t table.Type) string {
// if one location changes
fn (mut g Gen) optional_type_name(t table.Type) (string, string) {
base := g.base_type(t)
mut styp := 'Option_$base'
mut styp := 'Option2_$base'
if t.is_ptr() {
styp = styp.replace('*', '_ptr')
}
@ -565,14 +568,11 @@ fn (mut g Gen) optional_type_name(t table.Type) (string, string) {
}
fn (g &Gen) optional_type_text(styp string, base string) string {
x := styp // .replace('*', '_ptr') // handle option ptrs
// replace void with something else
size := if base == 'void' { 'int' } else { base }
ret := 'struct $x {
bool ok;
bool is_none;
string v_error;
int ecode;
size := if base == 'void' { 'byte' } else { base }
ret := 'struct $styp {
byte state;
Error err;
byte data[sizeof($size)];
}'
return ret
@ -582,16 +582,6 @@ fn (mut g Gen) register_optional(t table.Type) string {
// g.typedefs2.writeln('typedef Option $x;')
styp, base := g.optional_type_name(t)
if styp !in g.optionals {
no_ptr := base.replace('*', '_ptr')
typ := if base == 'void' { 'void*' } else { base }
g.options_typedefs.writeln('typedef struct {
$typ data;
string error;
int ecode;
bool ok;
bool is_none;
} Option2_$no_ptr;')
// println(styp)
g.typedefs2.writeln('typedef struct $styp $styp;')
g.options.write_string(g.optional_type_text(styp, base))
g.options.writeln(';\n')
@ -654,13 +644,12 @@ fn (mut g Gen) register_chan_pop_optional_call(opt_el_type string, styp string)
if opt_el_type !in g.chan_pop_optionals {
g.chan_pop_optionals << opt_el_type
g.channel_definitions.writeln('
static inline $opt_el_type __Option_${styp}_popval($styp ch) {
$opt_el_type _tmp;
static inline $opt_el_type __Option2_${styp}_popval($styp ch) {
$opt_el_type _tmp = {0};
if (sync__Channel_try_pop_priv(ch, _tmp.data, false)) {
Option _tmp2 = v_error(_SLIT("channel closed"));
Option2 _tmp2 = error2(_SLIT("channel closed"));
return *($opt_el_type*)&_tmp2;
}
_tmp.ok = true; _tmp.is_none = false; _tmp.v_error = (string){.str=(byteptr)""}; _tmp.ecode = 0;
return _tmp;
}')
}
@ -670,13 +659,12 @@ fn (mut g Gen) register_chan_push_optional_call(el_type string, styp string) {
if styp !in g.chan_push_optionals {
g.chan_push_optionals << styp
g.channel_definitions.writeln('
static inline Option_void __Option_${styp}_pushval($styp ch, $el_type e) {
static inline Option2_void __Option2_${styp}_pushval($styp ch, $el_type e) {
if (sync__Channel_try_push_priv(ch, &e, false)) {
Option _tmp2 = v_error(_SLIT("channel closed"));
return *(Option_void*)&_tmp2;
Option2 _tmp2 = error2(_SLIT("channel closed"));
return *(Option2_void*)&_tmp2;
}
Option_void _tmp = {.ok = true, .is_none = false, .v_error = (string){.str=(byteptr)""}, .ecode = 0};
return _tmp;
return (Option2_void){0};
}')
}
}
@ -1494,7 +1482,7 @@ fn (mut g Gen) for_in_stmt(node ast.ForInStmt) {
g.write('&')
}
g.writeln('$t_expr);')
g.writeln('\tif (!${t}.ok) { break; }')
g.writeln('\tif (${t}.state != 0) break;')
val := if node.val_var in ['', '_'] { g.new_tmp_var() } else { node.val_var }
val_styp := g.typ(node.val_type)
g.writeln('\t$val_styp $val = *($val_styp*)${t}.data;')
@ -1519,6 +1507,13 @@ fn (mut g Gen) expr_with_cast(expr ast.Expr, got_type_raw table.Type, expected_t
expected_is_ptr := expected_type.is_ptr()
got_is_ptr := got_type.is_ptr()
got_sym := g.table.get_type_symbol(got_type)
// allow using the new Error struct as a string, to avoid a breaking change
// TODO: temporary to allow people to migrate their code; remove soon
if (got_type == table.error_type_idx && expected_type == table.string_type_idx) || false {
g.expr(expr)
g.write('.msg')
return
}
if exp_sym.kind == .interface_ && got_type_raw.idx() != expected_type.idx()
&& !expected_type.has_flag(.optional) {
got_styp := g.cc_type(got_type)
@ -1723,9 +1718,8 @@ fn (mut g Gen) gen_assign_stmt(assign_stmt ast.AssignStmt) {
// `pos := s.index('x') or { return }`
// ==========>
// Option_int _t190 = string_index(s, _STR("x"));
// if (!_t190.ok) {
// string err = _t190.v_error;
// int errcode = _t190.ecode;
// if (_t190.state != 2) {
// Error err = _t190.err;
// return;
// }
// int pos = *(int*)_t190.data;
@ -2696,7 +2690,7 @@ fn (mut g Gen) expr(node ast.Expr) {
g.map_init(node)
}
ast.None {
g.write('opt_none()')
g.write('(Option2){.state = 1, .err = (Error){.msg = _SLIT(""), .code = 0,}}')
}
ast.OrExpr {
// this should never appear here
@ -2747,7 +2741,7 @@ fn (mut g Gen) expr(node ast.Expr) {
if gen_or {
opt_elem_type := g.typ(elem_type.set_flag(.optional))
g.register_chan_pop_optional_call(opt_elem_type, styp)
g.write('$opt_elem_type $tmp_opt = __Option_${styp}_popval(')
g.write('$opt_elem_type $tmp_opt = __Option2_${styp}_popval(')
} else {
g.write('__${styp}_popval(')
}
@ -3306,7 +3300,7 @@ fn (mut g Gen) infix_expr(node ast.InfixExpr) {
if gen_or {
elem_styp := g.typ(elem_type)
g.register_chan_push_optional_call(elem_styp, styp)
g.write('Option_void $tmp_opt = __Option_${styp}_pushval(')
g.write('Option2_void $tmp_opt = __Option2_${styp}_pushval(')
} else {
g.write('__${styp}_pushval(')
}
@ -4120,8 +4114,7 @@ fn (mut g Gen) if_expr(node ast.IfExpr) {
// define `err` only for simple `if val := opt {...} else {`
if is_guard && guard_idx == i - 1 {
cvar_name := guard_vars[guard_idx]
g.writeln('\tstring err = ${cvar_name}.v_error;')
g.writeln('\tint errcode = ${cvar_name}.ecode;')
g.writeln('\tError err = ${cvar_name}.err;')
}
} else {
match branch.cond {
@ -4129,7 +4122,7 @@ fn (mut g Gen) if_expr(node ast.IfExpr) {
var_name := guard_vars[i]
g.write('if ($var_name = ')
g.expr(branch.cond.expr)
g.writeln(', ${var_name}.ok) {')
g.writeln(', ${var_name}.state == 0) {')
if branch.cond.var_name != '_' {
base_type := g.base_type(branch.cond.expr_type)
g.writeln('\t$base_type $branch.cond.var_name = *($base_type*)${var_name}.data;')
@ -4392,10 +4385,9 @@ fn (mut g Gen) index_expr(node ast.IndexExpr) {
opt_elem_type := g.typ(elem_type.set_flag(.optional))
g.writeln('$opt_elem_type $tmp_opt = {0};')
g.writeln('if ($tmp_opt_ptr) {')
g.writeln('\t${tmp_opt}.ok = true; ${tmp_opt}.is_none = false; ${tmp_opt}.v_error = (string){.str=(byteptr)""}; ${tmp_opt}.ecode = 0;')
g.writeln('\t*(($elem_type_str*)&${tmp_opt}.data) = *(($elem_type_str*)$tmp_opt_ptr);')
g.writeln('} else {')
g.writeln('\t${tmp_opt}.ok = false; ${tmp_opt}.is_none = false; ${tmp_opt}.v_error = (string){.str=(byteptr)"array index out of range"}; ${tmp_opt}.ecode = 0;')
g.writeln('\t${tmp_opt}.state = 2; ${tmp_opt}.err = (Error){.msg=_SLIT("array index out of range"), .code=0};')
g.writeln('}')
g.or_block(tmp_opt, node.or_expr, elem_type)
g.write('\n$cur_line*($elem_type_str*)${tmp_opt}.data')
@ -4553,10 +4545,10 @@ fn (mut g Gen) index_expr(node ast.IndexExpr) {
opt_elem_type := g.typ(elem_type.set_flag(.optional))
g.writeln('$opt_elem_type $tmp_opt = {0};')
g.writeln('if ($tmp_opt_ptr) {')
g.writeln('\t${tmp_opt}.ok = true; ${tmp_opt}.is_none = false; ${tmp_opt}.v_error = (string){.str=(byteptr)""}; ${tmp_opt}.ecode = 0;')
g.writeln('\t*(($elem_type_str*)&${tmp_opt}.data) = *(($elem_type_str*)$tmp_opt_ptr);')
g.writeln('} else {')
g.writeln('\t${tmp_opt}.ok = false; ${tmp_opt}.is_none = false; ${tmp_opt}.v_error = (string){.str=(byteptr)"array index out of range"}; ${tmp_opt}.ecode = 0;')
g.writeln('\t${tmp_opt}.state = 2; ${tmp_opt}.err = (Error){.msg=_SLIT("array index out of range"), .code=0};')
g.writeln('}')
g.or_block(tmp_opt, node.or_expr, elem_type)
g.write('\n$cur_line*($elem_type_str*)${tmp_opt}.data')
@ -4606,10 +4598,8 @@ fn (mut g Gen) return_statement(node ast.Return) {
fn_return_is_optional := g.fn_decl.return_type.has_flag(.optional)
if node.exprs.len == 0 {
if fn_return_is_optional {
tmp := g.new_tmp_var()
styp := g.typ(g.fn_decl.return_type)
g.writeln('$styp $tmp = {.ok = true};')
g.writeln('return $tmp;')
g.writeln('return ($styp){0};')
} else {
if g.is_autofree && !g.is_builtin_mod {
g.writeln('// free before return (no values returned)')
@ -4622,16 +4612,29 @@ fn (mut g Gen) return_statement(node ast.Return) {
// handle promoting none/error/function returning 'Option'
if fn_return_is_optional {
optional_none := node.exprs[0] is ast.None
mut is_regular_option := g.typ(node.types[0]) == 'Option'
ftyp := g.typ(node.types[0])
mut is_regular_option := ftyp in ['Option', 'Option2']
if optional_none || is_regular_option {
tmp := g.new_tmp_var()
g.write('Option $tmp = ')
g.write('Option2 $tmp = ')
g.expr_with_cast(node.exprs[0], node.types[0], g.fn_decl.return_type)
g.writeln(';')
styp := g.typ(g.fn_decl.return_type)
err_obj := g.new_tmp_var()
g.writeln('$styp $err_obj;')
g.writeln('memcpy(&$err_obj, &$tmp, sizeof(Option));')
g.writeln('memcpy(&$err_obj, &$tmp, sizeof(Option2));')
g.writeln('return $err_obj;')
return
} else if node.types[0] == table.error_type_idx {
// foo() or { return err }
tmp := g.new_tmp_var()
g.write('Option2 $tmp = (Option2){.state=2, .err=')
g.expr_with_cast(node.exprs[0], node.types[0], g.fn_decl.return_type)
g.writeln('};')
styp := g.typ(g.fn_decl.return_type)
err_obj := g.new_tmp_var()
g.writeln('$styp $err_obj;')
g.writeln('memcpy(&$err_obj, &$tmp, sizeof(Option2));')
g.writeln('return $err_obj;')
return
}
@ -4649,7 +4652,7 @@ fn (mut g Gen) return_statement(node ast.Return) {
opt_tmp = g.new_tmp_var()
g.writeln('$opt_type $opt_tmp;')
styp = g.base_type(g.fn_decl.return_type)
g.write('opt_ok2(&($styp/*X*/[]) { ')
g.write('opt_ok(&($styp/*X*/[]) { ')
} else {
g.write('return ')
styp = g.typ(g.fn_decl.return_type)
@ -4707,7 +4710,7 @@ fn (mut g Gen) return_statement(node ast.Return) {
}
g.write('}')
if fn_return_is_optional {
g.writeln(' }, (OptionBase*)(&$opt_tmp), sizeof($styp));')
g.writeln(' }, (Option2*)(&$opt_tmp), sizeof($styp));')
g.write('return $opt_tmp')
}
// Make sure to add our unpacks
@ -4723,13 +4726,13 @@ fn (mut g Gen) return_statement(node ast.Return) {
if expr0 is ast.CallExpr {
expr_type_is_opt = expr0.return_type.has_flag(.optional)
}
if fn_return_is_optional && !expr_type_is_opt && return_sym.name != 'Option' {
if fn_return_is_optional && !expr_type_is_opt && return_sym.name !in ['Option', 'Option2'] {
styp := g.base_type(g.fn_decl.return_type)
opt_type := g.typ(g.fn_decl.return_type)
// Create a tmp for this option
opt_tmp := g.new_tmp_var()
g.writeln('$opt_type $opt_tmp;')
g.write('opt_ok2(&($styp[]) { ')
g.write('opt_ok(&($styp[]) { ')
if !g.fn_decl.return_type.is_ptr() && node.types[0].is_ptr() {
if !(node.exprs[0] is ast.Ident && !g.is_amp) {
g.write('*')
@ -4741,7 +4744,7 @@ fn (mut g Gen) return_statement(node ast.Return) {
g.write(', ')
}
}
g.writeln(' }, (OptionBase*)(&$opt_tmp), sizeof($styp));')
g.writeln(' }, (Option2*)(&$opt_tmp), sizeof($styp));')
g.writeln('return $opt_tmp;')
return
}
@ -4852,7 +4855,7 @@ fn (mut g Gen) const_decl(node ast.ConstDecl) {
}
}
ast.CallExpr {
if val.starts_with('Option_') {
if val.starts_with('Option2_') {
g.inits[field.mod].writeln(val)
unwrap_option := field.expr.or_block.kind != .absent
g.const_decl_init_later(field.mod, name, g.current_tmp_var(), field.typ,
@ -4880,7 +4883,10 @@ fn (mut g Gen) const_decl_simple_define(name string, val string) {
fn (mut g Gen) const_decl_init_later(mod string, name string, val string, typ table.Type, unwrap_option bool) {
// Initialize more complex consts in `void _vinit/2{}`
// (C doesn't allow init expressions that can't be resolved at compile time).
styp := g.typ(typ)
mut styp := g.typ(typ)
if styp == 'Option' {
styp = 'Option2'
}
cname := '_const_$name'
g.definitions.writeln('$styp $cname; // inited later')
if cname == '_const_os__args' {
@ -5516,25 +5522,23 @@ fn (mut g Gen) write_expr_to_string(expr ast.Expr) string {
// If user is accessing the return value eg. in assigment, pass the variable name.
// If the user is not using the optional return value. We need to pass a temp var
// to access its fields (`.ok`, `.error` etc)
// `os.cp(...)` => `Option bool tmp = os__cp(...); if (!tmp.ok) { ... }`
// `os.cp(...)` => `Option bool tmp = os__cp(...); if (tmp.state != 0) { ... }`
// Returns the type of the last stmt
fn (mut g Gen) or_block(var_name string, or_block ast.OrExpr, return_type table.Type) {
cvar_name := c_name(var_name)
mr_styp := g.base_type(return_type)
is_none_ok := mr_styp == 'void'
g.writeln(';') // or')
g.writeln(';')
if is_none_ok {
g.writeln('if (!${cvar_name}.ok && !${cvar_name}.is_none) {')
g.writeln('if (${cvar_name}.state == 2) {')
} else {
g.writeln('if (!${cvar_name}.ok) { /*or block*/ ')
g.writeln('if (${cvar_name}.state != 0) { /*or block*/ ')
}
if or_block.kind == .block {
if g.inside_or_block {
g.writeln('\terr = ${cvar_name}.v_error;')
g.writeln('\terrcode = ${cvar_name}.ecode;')
g.writeln('\terr = ${cvar_name}.err;')
} else {
g.writeln('\tstring err = ${cvar_name}.v_error;')
g.writeln('\tint errcode = ${cvar_name}.ecode;')
g.writeln('\tError err = ${cvar_name}.err;')
}
g.inside_or_block = true
defer {
@ -5570,9 +5574,9 @@ fn (mut g Gen) or_block(var_name string, or_block ast.OrExpr, return_type table.
// In main(), an `opt()?` call is sugar for `opt() or { panic(err) }`
if g.pref.is_debug {
paline, pafile, pamod, pafn := g.panic_debug_info(or_block.pos)
g.writeln('panic_debug($paline, tos3("$pafile"), tos3("$pamod"), tos3("$pafn"), ${cvar_name}.v_error );')
g.writeln('panic_debug($paline, tos3("$pafile"), tos3("$pamod"), tos3("$pafn"), ${cvar_name}.err.msg );')
} else {
g.writeln('\tv_panic(_STR("optional not set (%.*s\\000)", 2, ${cvar_name}.v_error));')
g.writeln('\tv_panic(_STR("optional not set (%.*s\\000)", 2, ${cvar_name}.err.msg));')
}
} else {
// In ordinary functions, `opt()?` call is sugar for:
@ -5587,7 +5591,7 @@ fn (mut g Gen) or_block(var_name string, or_block ast.OrExpr, return_type table.
styp := g.typ(g.fn_decl.return_type)
err_obj := g.new_tmp_var()
g.writeln('\t$styp $err_obj;')
g.writeln('\tmemcpy(&$err_obj, &$cvar_name, sizeof(Option));')
g.writeln('\tmemcpy(&$err_obj, &$cvar_name, sizeof(Option2));')
g.writeln('\treturn $err_obj;')
}
}

View File

@ -301,14 +301,14 @@ fn (mut g Gen) gen_fn_decl(node ast.FnDecl, skip bool) {
default_expr := g.type_default(node.return_type)
// TODO: perf?
if default_expr == '{0}' {
if node.return_type.idx() == 1 && node.return_type.has_flag(.optional) {
// The default return for anonymous functions that return `?,
// should have .ok = true set, otherwise calling them with
// optfn() or { panic(err) } will cause a panic:
g.writeln('\treturn (Option_void){.ok = true};')
} else {
g.writeln('\treturn ($type_name)$default_expr;')
}
// if node.return_type.idx() == 1 && node.return_type.has_flag(.optional) {
// // The default return for anonymous functions that return `?,
// // should have .ok = true set, otherwise calling them with
// // optfn() or { panic(err) } will cause a panic:
// g.writeln('\treturn (Option_void){0};')
// } else {
g.writeln('\treturn ($type_name)$default_expr;')
// }
} else {
g.writeln('\treturn $default_expr;')
}
@ -728,6 +728,12 @@ fn (mut g Gen) fn_call(node ast.CallExpr) {
}
}
mut name := node.name
if node.name == 'error' {
name = 'error2'
}
if node.name == 'error_with_code' {
name = 'error_with_code2'
}
is_print := name in ['print', 'println', 'eprint', 'eprintln']
print_method := name
is_json_encode := name == 'json.encode'
@ -776,7 +782,7 @@ fn (mut g Gen) fn_call(node ast.CallExpr) {
g.is_js_call = false
g.writeln(');')
tmp2 = g.new_tmp_var()
g.writeln('Option_$typ $tmp2 = $fn_name ($json_obj);')
g.writeln('Option2_$typ $tmp2 = $fn_name ($json_obj);')
}
if !g.is_autofree {
g.write('cJSON_Delete($json_obj); //del')

View File

@ -41,7 +41,7 @@ fn (mut g Gen) gen_json_for_type(typ table.Type) {
dec_fn_name := js_dec_name(styp)
// Make sure that this optional type actually exists
g.register_optional(utyp)
dec_fn_dec := 'Option_$styp ${dec_fn_name}(cJSON* root)'
dec_fn_dec := 'Option2_$styp ${dec_fn_name}(cJSON* root)'
dec.writeln('
$dec_fn_dec {
$styp res;
@ -50,8 +50,8 @@ $dec_fn_dec {
if (error_ptr != NULL) {
// fprintf(stderr, "Error in decode() for $styp error_ptr=: %s\\n", error_ptr);
// printf("\\nbad js=%%s\\n", js.str);
Option err = v_error(tos2(error_ptr));
return *(Option_$styp *)&err;
Option2 err = error2(tos2(error_ptr));
return *(Option2_$styp *)&err;
}
}
')
@ -102,8 +102,8 @@ $enc_fn_dec {
}
// cJSON_delete
// p.cgen.fns << '$dec return opt_ok(res); \n}'
dec.writeln('\tOption_$styp ret;')
dec.writeln('\topt_ok2(&res, (OptionBase*)&ret, sizeof(res));')
dec.writeln('\tOption2_$styp ret;')
dec.writeln('\topt_ok(&res, (Option2*)&ret, sizeof(res));')
dec.writeln('\treturn ret;\n}')
enc.writeln('\treturn o;\n}')
g.definitions.writeln(dec.str())
@ -152,18 +152,18 @@ fn (mut g Gen) gen_struct_enc_dec(type_info table.TypeInfo, styp string, mut enc
} else {
g.gen_json_for_type(field.typ)
tmp := g.new_tmp_var()
dec.writeln('\tOption_$field_type $tmp = $dec_name (js_get(root,"$name"));')
dec.writeln('\tif(!${tmp}.ok) {')
dec.writeln('\t\treturn *(Option_$styp*) &$tmp;')
dec.writeln('\tOption2_$field_type $tmp = $dec_name (js_get(root,"$name"));')
dec.writeln('\tif(${tmp}.state != 0) {')
dec.writeln('\t\treturn *(Option2_$styp*) &$tmp;')
dec.writeln('\t}')
dec.writeln('\tres.${c_name(field.name)} = *($field_type*) ${tmp}.data;')
}
} else {
// dec.writeln(' $dec_name (js_get(root, "$name"), & (res . $field.name));')
tmp := g.new_tmp_var()
dec.writeln('\tOption_$field_type $tmp = $dec_name (js_get(root,"$name"));')
dec.writeln('\tif(!${tmp}.ok) {')
dec.writeln('\t\treturn *(Option_$styp*) &$tmp;')
dec.writeln('\tOption2_$field_type $tmp = $dec_name (js_get(root,"$name"));')
dec.writeln('\tif(${tmp}.state != 0) {')
dec.writeln('\t\treturn *(Option2_$styp*) &$tmp;')
dec.writeln('\t}')
dec.writeln('\tres.${c_name(field.name)} = *($field_type*) ${tmp}.data;')
}
@ -215,18 +215,18 @@ fn (mut g Gen) decode_array(value_type table.Type) string {
s = '$styp val = ${fn_name}(jsval); '
} else {
s = '
Option_$styp val2 = $fn_name (jsval);
if(!val2.ok) {
Option2_$styp val2 = $fn_name (jsval);
if(val2.state != 0) {
array_free(&res);
return *(Option_Array_$styp*)&val2;
return *(Option2_Array_$styp*)&val2;
}
$styp val = *($styp*)val2.data;
'
}
return '
if(root && !cJSON_IsArray(root) && !cJSON_IsNull(root)) {
Option err = v_error( string_add(_SLIT("Json element is not an array: "), tos2(cJSON_PrintUnformatted(root))) );
return *(Option_Array_$styp *)&err;
Option2 err = error2( string_add(_SLIT("Json element is not an array: "), tos2(cJSON_PrintUnformatted(root))) );
return *(Option2_Array_$styp *)&err;
}
res = __new_array(0, 0, sizeof($styp));
const cJSON *jsval = NULL;
@ -260,18 +260,18 @@ fn (mut g Gen) decode_map(key_type table.Type, value_type table.Type) string {
s = '$styp_v val = $fn_name_v (js_get(root, jsval->string));'
} else {
s = '
Option_$styp_v val2 = $fn_name_v (js_get(root, jsval->string));
if(!val2.ok) {
Option2_$styp_v val2 = $fn_name_v (js_get(root, jsval->string));
if(val2.state != 0) {
map_free(&res);
return *(Option_Map_${styp}_$styp_v*)&val2;
return *(Option2_Map_${styp}_$styp_v*)&val2;
}
$styp_v val = *($styp_v*)val2.data;
'
}
return '
if(!cJSON_IsObject(root) && !cJSON_IsNull(root)) {
Option err = v_error( string_add(_SLIT("Json element is not an object: "), tos2(cJSON_PrintUnformatted(root))) );
return *(Option_Map_${styp}_$styp_v *)&err;
Option2 err = error2( string_add(_SLIT("Json element is not an object: "), tos2(cJSON_PrintUnformatted(root))) );
return *(Option2_Map_${styp}_$styp_v *)&err;
}
res = new_map_2(sizeof($styp), sizeof($styp_v), $hash_fn, $key_eq_fn, $clone_fn, $free_fn);
cJSON *jsval = NULL;

View File

@ -30,7 +30,7 @@ pub fn mark_used(mut the_table table.Table, pref &pref.Preferences, ast_files []
'tos2',
'tos3',
'isnil',
'opt_ok2',
'opt_ok',
// utf8_str_visible_length is used by c/str.v
'utf8_str_visible_length',
'compare_ints',

View File

@ -233,7 +233,7 @@ fn (mut w Walker) expr(node ast.Expr) {
}
}
ast.None {
w.mark_fn_as_used('opt_none')
w.mark_fn_as_used('opt_none2')
}
ast.ParExpr {
w.expr(node.expr)

View File

@ -63,13 +63,7 @@ pub fn (mut p Parser) call_expr(language table.Language, mod string) ast.CallExp
p.open_scope()
p.scope.register(ast.Var{
name: 'err'
typ: table.string_type
pos: p.tok.position()
is_used: true
})
p.scope.register(ast.Var{
name: 'errcode'
typ: table.int_type
typ: table.error_type
pos: p.tok.position()
is_used: true
})

View File

@ -50,16 +50,10 @@ fn (mut p Parser) if_expr(is_comptime bool) ast.IfExpr {
p.open_scope()
// only declare `err` if previous branch was an `if` guard
if prev_guard {
p.scope.register(ast.Var{
name: 'errcode'
typ: table.int_type
pos: body_pos
is_used: true
})
p.scope.register(ast.Var{
name: 'err'
typ: table.string_type
pos: body_pos
typ: table.error_type
pos: p.tok.position()
is_used: true
})
}

View File

@ -1574,15 +1574,9 @@ fn (mut p Parser) dot_expr(left ast.Expr) ast.Expr {
if p.tok.kind == .key_orelse {
p.next()
p.open_scope()
p.scope.register(ast.Var{
name: 'errcode'
typ: table.int_type
pos: p.tok.position()
is_used: true
})
p.scope.register(ast.Var{
name: 'err'
typ: table.string_type
typ: table.error_type
pos: p.tok.position()
is_used: true
})

View File

@ -439,15 +439,9 @@ fn (mut p Parser) infix_expr(left ast.Expr) ast.Expr {
if p.tok.kind == .key_orelse {
p.next()
p.open_scope()
p.scope.register(ast.Var{
name: 'errcode'
typ: table.int_type
pos: p.tok.position()
is_used: true
})
p.scope.register(ast.Var{
name: 'err'
typ: table.string_type
typ: table.error_type
pos: p.tok.position()
is_used: true
})
@ -507,15 +501,9 @@ fn (mut p Parser) prefix_expr() ast.PrefixExpr {
if p.tok.kind == .key_orelse {
p.next()
p.open_scope()
p.scope.register(ast.Var{
name: 'errcode'
typ: table.int_type
pos: p.tok.position()
is_used: true
})
p.scope.register(ast.Var{
name: 'err'
typ: table.string_type
typ: table.error_type
pos: p.tok.position()
is_used: true
})

View File

@ -376,7 +376,8 @@ pub fn (mut t Table) register_type_symbol(typ TypeSymbol) int {
// builtin
// this will override the already registered builtin types
// with the actual v struct declaration in the source
if existing_idx >= string_type_idx && existing_idx <= map_type_idx {
if (existing_idx >= string_type_idx && existing_idx <= map_type_idx)
|| existing_idx == error_type_idx {
if existing_idx == string_type_idx {
// existing_type := t.types[existing_idx]
t.types[existing_idx] = TypeSymbol{

View File

@ -307,6 +307,7 @@ pub const (
float_literal_type_idx = 26
int_literal_type_idx = 27
thread_type_idx = 28
error_type_idx = 29
)
pub const (
@ -351,13 +352,14 @@ pub const (
float_literal_type = new_type(float_literal_type_idx)
int_literal_type = new_type(int_literal_type_idx)
thread_type = new_type(thread_type_idx)
error_type = new_type(error_type_idx)
)
pub const (
builtin_type_names = ['void', 'voidptr', 'charptr', 'byteptr', 'i8', 'i16', 'int', 'i64', 'u16',
'u32', 'u64', 'int_literal', 'f32', 'f64', 'float_literal', 'string', 'ustring', 'char',
'byte', 'bool', 'none', 'array', 'array_fixed', 'map', 'chan', 'any', 'struct', 'mapnode',
'size_t', 'rune', 'thread']
'size_t', 'rune', 'thread', 'Error']
)
pub struct MultiReturn {
@ -549,6 +551,7 @@ pub fn (mut t Table) register_builtin_type_symbols() {
return_type: table.void_type
}
)
t.register_type_symbol(kind: .struct_, name: 'Error', cname: 'Error', mod: 'builtin')
}
[inline]

View File

@ -51,7 +51,7 @@ fn test_multiple_ret() {
// none case
wrapper1 := fn()(string, string){
res2_1, res2_2 := split_to_two("") or {
assert err == ''
assert err.msg == ''
return 'replaced', 'val'
}
return res2_1, res2_2
@ -63,7 +63,7 @@ fn test_multiple_ret() {
// error case
wrapper2 := fn()(string, string){
res3_1, res3_2 := split_to_two('fishhouse') or {
assert err == 'error'
assert err.msg == 'error'
return 'replaced', 'val'
}
return res3_1, res3_2

View File

@ -7,12 +7,12 @@ fn test_err_with_code() {
assert false
_ := w
} else {
assert err == 'hi'
assert errcode == 137
assert err.msg == 'hi'
assert err.code == 137
}
v := opt_err_with_code() or {
assert err == 'hi'
assert errcode == 137
assert err.msg == 'hi'
assert err.code == 137
return
}
assert false
@ -25,7 +25,7 @@ fn opt_err() ?string {
fn test_err() {
v := opt_err() or {
assert err == 'hi'
assert err.msg == 'hi'
return
}
assert false
@ -74,7 +74,7 @@ fn test_if_else_opt() {
if _ := err_call(false) {
assert false
} else {
assert err.len != 0
assert err.msg.len != 0
}
}
@ -151,12 +151,12 @@ fn test_or_return() {
if _ := or_return_error() {
assert false
} else {
assert err.len != 0
assert err.msg.len != 0
}
if _ := or_return_none() {
assert false
} else {
assert err.len == 0
assert err.msg.len == 0
}
}
@ -283,7 +283,7 @@ fn test_optional_void_return_types_of_anon_fn() {
}
f(0) or {
assert err == '0'
assert err.msg == '0'
return
}
}
@ -304,7 +304,7 @@ fn test_option_void_return_types_of_anon_fn_in_struct() {
}
foo.f(0) or {
assert err == '0'
assert err.msg == '0'
return
}
}

View File

@ -5,7 +5,7 @@ fn foo() ? {
fn test_optional_void() {
foo() or {
println(err)
assert err == 'something'
assert err.msg == 'something'
return
}
}
@ -17,7 +17,7 @@ fn bar() ? {
fn test_optional_void_only_question() {
bar() or {
println(err)
assert err == 'bar error'
assert err.msg == 'bar error'
return
}
}
@ -38,12 +38,12 @@ fn option_void(a int) ? {
fn test_optional_void_with_return() {
option_void(0) or {
println(err)
assert err == 'zero error'
assert err.msg == 'zero error'
return
}
option_void(-1) or {
println(err)
assert err == 'zero error'
assert err.msg == 'zero error'
return
}
assert true

View File

@ -339,14 +339,14 @@ fn test_option_struct() {
assert '$create_option_struct()' == 'Option(TestStruct{\n x: 0\n})'
}
struct OptionWrapper {
x ?TestStruct
}
// struct OptionWrapper {
// x ?TestStruct
// }
fn test_struct_with_option() {
w := OptionWrapper{}
assert '$w' == 'OptionWrapper{\n x: Option(error: \'\')\n}'
}
// fn test_struct_with_option() {
// w := OptionWrapper{}
// assert '$w' == 'OptionWrapper{\n x: Option(error: \'\')\n}'
// }
/* TODO: doesn't work yet
struct OptionWrapperInt {

View File

@ -361,7 +361,7 @@ fn test_fields_anon_fn_with_optional_void_return_type() {
}
foo.f() or {
assert err == "oops"
assert err.msg == "oops"
}
foo.g() or {

View File

@ -38,7 +38,7 @@ fn test_decode() {
assert data.dependencies[0] == 'hello'
assert data.unknown['test'][0] == 'foo'
vmod.decode('') or {
assert err == 'vmod: no content.'
assert err.msg == 'vmod: no content.'
exit(0)
}
}

View File

@ -63,7 +63,7 @@ fn assert_common_headers(received string) {
fn test_a_simple_tcp_client_can_connect_to_the_vweb_server() {
received := simple_tcp_client(path: '/') or {
assert err == ''
assert err.msg == ''
return
}
assert_common_headers(received)
@ -74,7 +74,7 @@ fn test_a_simple_tcp_client_can_connect_to_the_vweb_server() {
fn test_a_simple_tcp_client_simple_route() {
received := simple_tcp_client(path: '/simple') or {
assert err == ''
assert err.msg == ''
return
}
assert_common_headers(received)
@ -85,7 +85,7 @@ fn test_a_simple_tcp_client_simple_route() {
fn test_a_simple_tcp_client_html_page() {
received := simple_tcp_client(path: '/html_page') or {
assert err == ''
assert err.msg == ''
return
}
assert_common_headers(received)
@ -196,7 +196,7 @@ fn test_http_client_json_post() {
fn test_http_client_shutdown_does_not_work_without_a_cookie() {
x := http.get('http://127.0.0.1:$sport/shutdown') or {
assert err == ''
assert err.msg == ''
return
}
assert x.status_code == 404
@ -212,7 +212,7 @@ fn testsuite_end() {
'skey': 'superman'
}
) or {
assert err == ''
assert err.msg == ''
return
}
assert x.status_code == 200

View File

@ -54,7 +54,7 @@ fn test_raw_decode_null() {
fn test_raw_decode_invalid() {
json2.raw_decode('1z') or {
assert err == '[x.json2] invalid token `z` (0:17)'
assert err.msg == '[x.json2] invalid token `z` (0:17)'
return
}
assert false

View File

@ -15,7 +15,7 @@ fn (mut ws Client) socket_read(mut buffer []byte) ?int {
} else {
for {
r := ws.conn.read(mut buffer) or {
if errcode == net.err_timed_out_code {
if err.code == net.err_timed_out_code {
continue
}
return error(err)
@ -39,7 +39,7 @@ fn (mut ws Client) socket_read_ptr(buf_ptr byteptr, len int) ?int {
} else {
for {
r := ws.conn.read_ptr(buf_ptr, len) or {
if errcode == net.err_timed_out_code {
if err.code == net.err_timed_out_code {
continue
}
return error(err)
@ -63,7 +63,7 @@ fn (mut ws Client) socket_write(bytes []byte) ?int {
} else {
for {
n := ws.conn.write(bytes) or {
if errcode == net.err_timed_out_code {
if err.code == net.err_timed_out_code {
continue
}
return error(err)

View File

@ -318,8 +318,7 @@ pub fn (mut ws Client) close(code int, message string) ? {
if ws.state in [.closed, .closing] || ws.conn.sock.handle <= 1 {
ws.debug_log('close: Websocket allready closed ($ws.state), $message, $code handle($ws.conn.sock.handle)')
err_msg := 'Socket allready closed: $code'
ret_err := error(err_msg)
return ret_err
return error(err_msg)
}
defer {
ws.shutdown_socket() or { }