90 lines
		
	
	
		
			1.6 KiB
		
	
	
	
		
			V
		
	
	
			
		
		
	
	
			90 lines
		
	
	
		
			1.6 KiB
		
	
	
	
		
			V
		
	
	
// Copyright (c) 2019-2020 Alexander Medvednikov. All rights reserved.
 | 
						|
// Use of this source code is governed by an MIT license
 | 
						|
// that can be found in the LICENSE file.
 | 
						|
module builtin
 | 
						|
/*
 | 
						|
struct Option2<T> {
 | 
						|
	ok bool
 | 
						|
	is_none bool
 | 
						|
	error string
 | 
						|
	ecode int
 | 
						|
	data T
 | 
						|
}
 | 
						|
*/
 | 
						|
 | 
						|
struct OptionBase {
 | 
						|
	ok      bool
 | 
						|
	is_none bool
 | 
						|
	error   string
 | 
						|
	ecode   int
 | 
						|
 | 
						|
	// Data is trailing after ecode
 | 
						|
	// and is not included in here but in the
 | 
						|
	// derived Option_xxx types
 | 
						|
}
 | 
						|
 | 
						|
pub fn (o OptionBase) str() string {
 | 
						|
   if o.ok && !o.is_none {
 | 
						|
	  return 'Option{ valid }'
 | 
						|
   }
 | 
						|
   if o.is_none {
 | 
						|
	  return 'Option{ none }'
 | 
						|
   }
 | 
						|
   return 'Option{ error: "${o.error}" }'
 | 
						|
}
 | 
						|
 | 
						|
// `fn foo() ?Foo { return foo }` => `fn foo() ?Foo { return opt_ok(foo); }`
 | 
						|
fn opt_ok2(data voidptr, mut option &OptionBase, size int) {
 | 
						|
	unsafe {
 | 
						|
		*option = OptionBase {
 | 
						|
			ok: true
 | 
						|
		}
 | 
						|
 | 
						|
		// use ecode to get the end of OptionBase and then memcpy into it
 | 
						|
		C.memcpy(byteptr(&option.ecode) + sizeof(int), data, size)
 | 
						|
	}
 | 
						|
}
 | 
						|
 | 
						|
// Old option type used for bootstrapping
 | 
						|
struct Option {
 | 
						|
	ok      bool
 | 
						|
	is_none bool
 | 
						|
	error   string
 | 
						|
	ecode   int
 | 
						|
}
 | 
						|
 | 
						|
pub fn (o Option) str() string {
 | 
						|
   if o.ok && !o.is_none {
 | 
						|
	  return 'Option{ ok }'
 | 
						|
   }
 | 
						|
   if o.is_none {
 | 
						|
	  return 'Option{ none }'
 | 
						|
   }
 | 
						|
   return 'Option{ error: "${o.error}" }'
 | 
						|
}
 | 
						|
 | 
						|
// used internally when returning `none`
 | 
						|
fn opt_none() Option {
 | 
						|
	return Option{
 | 
						|
		ok: false
 | 
						|
		is_none: true
 | 
						|
	}
 | 
						|
}
 | 
						|
 | 
						|
pub fn error(s string) Option {
 | 
						|
	return Option{
 | 
						|
		ok: false
 | 
						|
		is_none: false
 | 
						|
		error: s
 | 
						|
	}
 | 
						|
}
 | 
						|
 | 
						|
pub fn error_with_code(s string, code int) Option {
 | 
						|
	return Option{
 | 
						|
		ok: false
 | 
						|
		is_none: false
 | 
						|
		error: s
 | 
						|
		ecode: code
 | 
						|
	}
 | 
						|
}
 |