2021-02-07 05:19:05 +01:00
|
|
|
module main
|
|
|
|
|
|
|
|
import os
|
|
|
|
|
|
|
|
// this is a example script to show you stdin can be used and keep a process open
|
|
|
|
|
|
|
|
fn exec(cmd string) (string, int) {
|
|
|
|
mut cmd2 := cmd
|
|
|
|
mut out := ''
|
|
|
|
mut line := ''
|
|
|
|
mut rc := 0
|
|
|
|
mut p := os.new_process('/bin/bash')
|
|
|
|
|
|
|
|
// there are methods missing to know if stderr/stdout has data as such its better to redirect bot on same FD
|
|
|
|
// not so nice trick to run bash in bash and redirect stderr, maybe someone has a better solution
|
|
|
|
p.set_args(['-c', 'bash 2>&1'])
|
|
|
|
p.set_redirect_stdio()
|
|
|
|
p.run()
|
|
|
|
|
2022-04-07 12:55:12 +02:00
|
|
|
p.stdin_write('$cmd2 && echo **OK**')
|
|
|
|
os.fd_close(p.stdio_fd[0]) // important: close stdin so cmd can end by itself
|
2021-02-07 05:19:05 +01:00
|
|
|
|
2022-04-07 12:55:12 +02:00
|
|
|
for p.is_alive() {
|
2021-02-07 05:19:05 +01:00
|
|
|
line = p.stdout_read()
|
|
|
|
println(line)
|
|
|
|
// line_err = p.stderr_read() //IF WE CALL STDERR_READ will block
|
|
|
|
// we need a mechanism which allows us to check if stderr/stdout has data or it should never block
|
|
|
|
// is not a good way, need to use a string buffer, is slow like this
|
|
|
|
out += line
|
2022-04-07 12:55:12 +02:00
|
|
|
if line.ends_with('**OK**\n') {
|
2021-02-07 05:19:05 +01:00
|
|
|
out = out[0..(out.len - 7)]
|
|
|
|
break
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
// println("read from stdout, should not block")
|
|
|
|
// is not really needed but good test to see behaviour
|
2022-04-07 12:55:12 +02:00
|
|
|
out += p.stdout_read()
|
|
|
|
println('read done')
|
2021-02-07 05:19:05 +01:00
|
|
|
|
2022-04-07 12:55:12 +02:00
|
|
|
println(p.stderr_read())
|
|
|
|
p.close()
|
|
|
|
p.wait()
|
2021-02-07 05:19:05 +01:00
|
|
|
if p.code > 0 {
|
|
|
|
rc = 1
|
|
|
|
println('ERROR:')
|
|
|
|
println(cmd2)
|
|
|
|
print(out)
|
|
|
|
}
|
|
|
|
|
|
|
|
return out, rc
|
|
|
|
}
|
|
|
|
|
|
|
|
fn main() {
|
|
|
|
mut out := ''
|
|
|
|
mut rc := 0
|
|
|
|
|
2022-04-07 12:55:12 +02:00
|
|
|
// find files from /tmp excluding files unlistable by current user
|
2021-02-07 05:19:05 +01:00
|
|
|
|
2022-04-07 12:55:12 +02:00
|
|
|
out, rc = exec("find /tmp/ -user \$UID; echo '******'")
|
2021-02-07 05:19:05 +01:00
|
|
|
println(out)
|
|
|
|
assert out.ends_with('******\n')
|
|
|
|
|
|
|
|
out, rc = exec('echo to stdout')
|
|
|
|
assert out.contains('to stdout')
|
|
|
|
|
|
|
|
out, rc = exec('echo to stderr 1>&2')
|
|
|
|
assert out.contains('to stderr')
|
|
|
|
|
|
|
|
out, rc = exec('ls /sssss')
|
|
|
|
assert rc > 0 // THIS STILL GIVES AN ERROR !
|
|
|
|
|
|
|
|
println('test ok stderr & stdout is indeed redirected')
|
|
|
|
}
|