mirror of
https://github.com/chaisql/chai.git
synced 2025-10-06 08:06:55 +08:00
83 lines
2.0 KiB
Go
83 lines
2.0 KiB
Go
package statement
|
|
|
|
import (
|
|
"github.com/chaisql/chai/internal/database"
|
|
"github.com/chaisql/chai/internal/environment"
|
|
"github.com/chaisql/chai/internal/planner"
|
|
"github.com/chaisql/chai/internal/stream"
|
|
"github.com/cockroachdb/errors"
|
|
)
|
|
|
|
// StreamStmt is a StreamStmt using a Stream.
|
|
type StreamStmt struct {
|
|
Stream *stream.Stream
|
|
ReadOnly bool
|
|
}
|
|
|
|
// Prepare implements the Preparer interface.
|
|
func (s *StreamStmt) Prepare(ctx *Context) (Statement, error) {
|
|
return &PreparedStreamStmt{
|
|
Stream: s.Stream,
|
|
ReadOnly: s.ReadOnly,
|
|
}, nil
|
|
}
|
|
|
|
// PreparedStreamStmt is a PreparedStreamStmt using a Stream.
|
|
type PreparedStreamStmt struct {
|
|
Stream *stream.Stream
|
|
ReadOnly bool
|
|
}
|
|
|
|
// Run returns a result containing the stream. The stream will be executed by calling the Iterate method of
|
|
// the result.
|
|
func (s *PreparedStreamStmt) Run(ctx *Context) (Result, error) {
|
|
st, err := planner.Optimize(s.Stream.Clone(), ctx.Tx.Catalog, ctx.Params)
|
|
if err != nil {
|
|
return Result{}, err
|
|
}
|
|
|
|
return Result{
|
|
Iterator: &StreamStmtIterator{
|
|
Stream: st,
|
|
Context: ctx,
|
|
},
|
|
}, nil
|
|
}
|
|
|
|
// IsReadOnly reports whether the stream will modify the database or only read it.
|
|
func (s *PreparedStreamStmt) IsReadOnly() bool {
|
|
return s.ReadOnly
|
|
}
|
|
|
|
func (s *PreparedStreamStmt) String() string {
|
|
return s.Stream.String()
|
|
}
|
|
|
|
// StreamStmtIterator iterates over a stream.
|
|
type StreamStmtIterator struct {
|
|
Stream *stream.Stream
|
|
Context *Context
|
|
}
|
|
|
|
func (s *StreamStmtIterator) Iterate(fn func(r database.Row) error) error {
|
|
var env environment.Environment
|
|
env.DB = s.Context.DB
|
|
env.Tx = s.Context.Tx
|
|
env.SetParams(s.Context.Params)
|
|
|
|
err := s.Stream.Iterate(&env, func(env *environment.Environment) error {
|
|
// if there is no row in this specific environment,
|
|
// the last operator is not outputting anything
|
|
// worth returning to the user.
|
|
if env.Row == nil {
|
|
return nil
|
|
}
|
|
|
|
return fn(env.Row.(database.Row))
|
|
})
|
|
if errors.Is(err, stream.ErrStreamClosed) {
|
|
err = nil
|
|
}
|
|
return err
|
|
}
|