ucl/cmdlang/builtins.go

109 lines
1.9 KiB
Go
Raw Normal View History

2024-04-10 10:45:58 +00:00
package cmdlang
import (
"bufio"
2024-04-10 10:45:58 +00:00
"context"
"errors"
2024-04-10 12:19:11 +00:00
"fmt"
"io"
"os"
2024-04-10 10:45:58 +00:00
"strings"
)
func echoBuiltin(ctx context.Context, args invocationArgs) (object, error) {
2024-04-10 10:45:58 +00:00
if len(args.args) == 0 {
return asStream(""), nil
2024-04-10 10:45:58 +00:00
}
var line strings.Builder
for _, arg := range args.args {
2024-04-10 12:19:11 +00:00
if s, ok := arg.(fmt.Stringer); ok {
line.WriteString(s.String())
}
2024-04-10 10:45:58 +00:00
}
return asStream(line.String()), nil
}
2024-04-11 10:47:59 +00:00
func toUpperBuiltin(ctx context.Context, inStream stream, args invocationArgs) (object, error) {
// Handle args
return mapFilterStream{
2024-04-11 10:47:59 +00:00
in: inStream,
mapFn: func(x object) (object, bool) {
s, ok := x.(string)
if !ok {
return nil, false
}
return strings.ToUpper(s), true
},
}, nil
}
func catBuiltin(ctx context.Context, args invocationArgs) (object, error) {
if err := args.expectArgn(1); err != nil {
return nil, err
}
2024-04-10 12:19:11 +00:00
filename, err := args.stringArg(0)
if err != nil {
return nil, err
}
return &fileLinesStream{filename: filename}, nil
}
type fileLinesStream struct {
filename string
f *os.File
scnr *bufio.Scanner
}
func (f *fileLinesStream) next() (object, error) {
var err error
// We open the file on the first pull. That way, an unconsumed stream won't result in a FD leak
if f.f == nil {
f.f, err = os.Open(f.filename)
if err != nil {
return nil, err
}
f.scnr = bufio.NewScanner(f.f)
}
if f.scnr.Scan() {
return f.scnr.Text(), nil
}
if f.scnr.Err() == nil {
return nil, io.EOF
}
return nil, f.scnr.Err()
}
func (f *fileLinesStream) close() error {
if f.f != nil {
return f.f.Close()
}
return nil
}
2024-04-11 10:47:59 +00:00
func errorTestBuiltin(ctx context.Context, inStream stream, args invocationArgs) (object, error) {
return &timeBombStream{inStream, 2}, nil
}
type timeBombStream struct {
in stream
x int
}
func (ms *timeBombStream) next() (object, error) {
if ms.x > 0 {
ms.x--
return ms.in.next()
}
return nil, errors.New("BOOM")
}
func (ms *timeBombStream) close() error {
2024-04-11 10:47:59 +00:00
return ms.in.close()
2024-04-10 10:45:58 +00:00
}