2019-12-24 03:43:31 +01:00
|
|
|
module cmdline
|
|
|
|
|
2020-02-16 12:42:28 +01:00
|
|
|
// Fetch multiple option by param, e.g.
|
|
|
|
// args: ['v', '-d', 'aa', '-d', 'bb', '-d', 'cc']
|
|
|
|
// param: '-d'
|
|
|
|
// ret: ['aa', 'bb', 'cc']
|
|
|
|
pub fn options(args []string, param string) []string {
|
2020-04-26 09:17:13 +02:00
|
|
|
mut flags := []string{}
|
2020-02-16 12:42:28 +01:00
|
|
|
for i, v in args {
|
|
|
|
if v == param {
|
|
|
|
if i + 1 < args.len {
|
|
|
|
flags << args[i + 1]
|
2019-12-24 03:43:31 +01:00
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|
|
|
|
return flags
|
|
|
|
}
|
|
|
|
|
2020-02-16 12:42:28 +01:00
|
|
|
// Fetch option by param, e.g.
|
|
|
|
// args: ['v', '-d', 'aa']
|
|
|
|
// param: '-d'
|
|
|
|
// def: ''
|
|
|
|
// ret: 'aa'
|
2019-12-24 03:43:31 +01:00
|
|
|
pub fn option(args []string, param string, def string) string {
|
|
|
|
mut found := false
|
|
|
|
for arg in args {
|
|
|
|
if found {
|
|
|
|
return arg
|
|
|
|
}
|
|
|
|
else if param == arg {
|
|
|
|
found = true
|
|
|
|
}
|
|
|
|
}
|
|
|
|
return def
|
|
|
|
}
|
|
|
|
|
2020-02-16 12:42:28 +01:00
|
|
|
// Fetch all options before what params, e.g.
|
|
|
|
// args: ['-stat', 'test', 'aaa.v']
|
|
|
|
// what: ['test']
|
|
|
|
// ret: ['-stat']
|
|
|
|
pub fn options_before(args []string, what []string) []string {
|
2020-04-26 16:25:54 +02:00
|
|
|
mut args_before := []string{}
|
2019-12-24 03:43:31 +01:00
|
|
|
for a in args {
|
|
|
|
if a in what {
|
|
|
|
break
|
|
|
|
}
|
|
|
|
args_before << a
|
|
|
|
}
|
|
|
|
return args_before
|
|
|
|
}
|
|
|
|
|
2020-02-16 12:42:28 +01:00
|
|
|
// Fetch all options after what params, e.g.
|
|
|
|
// args: ['-stat', 'test', 'aaa.v']
|
|
|
|
// what: ['test']
|
|
|
|
// ret: ['aaa.v']
|
|
|
|
pub fn options_after(args []string, what []string) []string {
|
2019-12-24 03:43:31 +01:00
|
|
|
mut found := false
|
2020-04-26 09:17:13 +02:00
|
|
|
mut args_after := []string{}
|
2019-12-24 03:43:31 +01:00
|
|
|
for a in args {
|
|
|
|
if a in what {
|
|
|
|
found = true
|
|
|
|
continue
|
|
|
|
}
|
|
|
|
if found {
|
|
|
|
args_after << a
|
|
|
|
}
|
|
|
|
}
|
|
|
|
return args_after
|
|
|
|
}
|
|
|
|
|
2020-02-16 12:42:28 +01:00
|
|
|
// Fetch all options not start with '-', e.g.
|
|
|
|
// args: ['-d', 'aa', '--help', 'bb']
|
|
|
|
// ret: ['aa', 'bb']
|
2019-12-24 03:43:31 +01:00
|
|
|
pub fn only_non_options(args []string) []string {
|
|
|
|
return args.filter(!it.starts_with('-'))
|
|
|
|
}
|
|
|
|
|
2020-02-16 12:42:28 +01:00
|
|
|
// Fetch all options start with '-', e.g.
|
|
|
|
// args: ['-d', 'aa', '--help', 'bb']
|
|
|
|
// ret: ['-d', '--help']
|
2019-12-24 03:43:31 +01:00
|
|
|
pub fn only_options(args []string) []string {
|
|
|
|
return args.filter(it.starts_with('-'))
|
|
|
|
}
|