2020-08-22 14:29:29 +02:00
|
|
|
import x.net
|
2020-08-20 23:01:37 +02:00
|
|
|
import time
|
|
|
|
|
2020-08-22 14:29:29 +02:00
|
|
|
const (
|
|
|
|
test_port = 45123
|
|
|
|
)
|
|
|
|
|
2020-08-20 23:01:37 +02:00
|
|
|
fn handle_conn(_c net.TcpConn) {
|
|
|
|
mut c := _c
|
|
|
|
// arbitrary timeouts to ensure that it doesnt
|
|
|
|
// instantly throw its hands in the air and give up
|
|
|
|
c.set_read_timeout(10 * time.second)
|
|
|
|
c.set_write_timeout(10 * time.second)
|
|
|
|
for {
|
2020-09-27 03:40:59 +02:00
|
|
|
mut buf := []byte{len: 100, init: 0}
|
2020-08-20 23:01:37 +02:00
|
|
|
read := c.read_into(mut buf) or {
|
|
|
|
println('Server: connection dropped')
|
|
|
|
return
|
|
|
|
}
|
|
|
|
c.write(buf[..read]) or {
|
|
|
|
println('Server: connection dropped')
|
|
|
|
return
|
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
fn echo_server(l net.TcpListener) ? {
|
|
|
|
for {
|
2020-08-22 14:29:29 +02:00
|
|
|
new_conn := l.accept() or {
|
|
|
|
continue
|
|
|
|
}
|
2020-08-20 23:01:37 +02:00
|
|
|
go handle_conn(new_conn)
|
|
|
|
}
|
|
|
|
return none
|
|
|
|
}
|
|
|
|
|
|
|
|
fn echo() ? {
|
2020-08-22 14:29:29 +02:00
|
|
|
mut c := net.dial_tcp('127.0.0.1:$test_port')?
|
|
|
|
defer {
|
|
|
|
c.close() or { }
|
|
|
|
}
|
2020-08-20 23:01:37 +02:00
|
|
|
// arbitrary timeouts to ensure that it doesnt
|
|
|
|
// instantly throw its hands in the air and give up
|
|
|
|
c.set_read_timeout(10 * time.second)
|
|
|
|
c.set_write_timeout(10 * time.second)
|
|
|
|
data := 'Hello from vlib/net!'
|
|
|
|
c.write_string(data)?
|
2020-09-27 03:40:59 +02:00
|
|
|
mut buf := []byte{len: 100, init: 0}
|
2020-08-20 23:01:37 +02:00
|
|
|
read := c.read_into(mut buf)?
|
|
|
|
assert read == data.len
|
|
|
|
for i := 0; i < read; i++ {
|
|
|
|
assert buf[i] == data[i]
|
|
|
|
}
|
2020-08-22 14:29:29 +02:00
|
|
|
println('Got "$buf.bytestr()"')
|
2020-08-20 23:01:37 +02:00
|
|
|
return none
|
|
|
|
}
|
|
|
|
|
|
|
|
fn test_tcp() {
|
2020-08-22 14:29:29 +02:00
|
|
|
l := net.listen_tcp(test_port) or {
|
2020-08-20 23:01:37 +02:00
|
|
|
panic(err)
|
|
|
|
}
|
|
|
|
go echo_server(l)
|
|
|
|
echo() or {
|
|
|
|
panic(err)
|
|
|
|
}
|
2020-08-22 14:29:29 +02:00
|
|
|
l.close() or { }
|
2020-08-20 23:01:37 +02:00
|
|
|
}
|
|
|
|
|
|
|
|
fn main() {
|
|
|
|
test_tcp()
|
2020-08-22 14:29:29 +02:00
|
|
|
}
|