chromedp/actions.go

62 lines
1.7 KiB
Go
Raw Normal View History

2017-01-24 15:09:23 +00:00
package chromedp
import (
"context"
"time"
2017-12-27 02:30:28 +00:00
"github.com/chromedp/cdproto/cdp"
2017-01-24 15:09:23 +00:00
)
// Action is the common interface for an action that will be executed against a
// context and frame handler.
2017-01-24 15:09:23 +00:00
type Action interface {
// Do executes the action using the provided context and frame handler.
2017-12-27 02:30:28 +00:00
Do(context.Context, cdp.Executor) error
2017-01-24 15:09:23 +00:00
}
// ActionFunc is a adapter to allow the use of ordinary func's as an Action.
2017-12-27 02:30:28 +00:00
type ActionFunc func(context.Context, cdp.Executor) error
2017-01-24 15:09:23 +00:00
// Do executes the func f using the provided context and frame handler.
func (f ActionFunc) Do(ctx context.Context, h cdp.Executor) error {
return f(ctx, h)
2017-01-24 15:09:23 +00:00
}
// Tasks is a sequential list of Actions that can be used as a single Action.
2017-01-24 15:09:23 +00:00
type Tasks []Action
// Do executes the list of Actions sequentially, using the provided context and
// frame handler.
func (t Tasks) Do(ctx context.Context, h cdp.Executor) error {
2017-01-24 15:09:23 +00:00
// TODO: put individual task timeouts from context here
for _, a := range t {
// ctx, cancel = context.WithTimeout(ctx, timeout)
2017-01-24 15:09:23 +00:00
// defer cancel()
if err := a.Do(ctx, h); err != nil {
2017-01-24 15:09:23 +00:00
return err
}
}
return nil
}
// Sleep is an empty action that calls time.Sleep with the specified duration.
//
// Note: this is a temporary action definition for convenience, and will likely
// be marked for deprecation in the future, after the remaining Actions have
// been able to be written/tested.
2017-01-24 15:09:23 +00:00
func Sleep(d time.Duration) Action {
return ActionFunc(func(ctx context.Context, h cdp.Executor) error {
// Don't use time.After, to avoid a temporary goroutine leak if
// ctx is cancelled before the timer fires.
t := time.NewTimer(d)
select {
case <-t.C:
case <-ctx.Done():
t.Stop()
return ctx.Err()
}
2017-01-24 15:09:23 +00:00
return nil
})
}