This repository has been archived by the owner on Oct 9, 2023. It is now read-only.
-
Notifications
You must be signed in to change notification settings - Fork 53
Commit
This commit does not belong to any branch on this repository, and may belong to a fork outside of the repository.
* Presto plugin executor * mockery * add unit tests * more unit tests * update to correct import * fix lint * linting * last linting? * minor changes * expanded comment on state machine logic * PR feedback changes * PR feedback changes 2 * PR feedback changes 3 * PR feedback changes 4 * add user to execute args * resource reg * update status * e2e chages * update sync period * add input interpolator * changes * changes 2 * prefix implicit inputs with __ * comments * more feedback * edit metrics
- Loading branch information
Showing
16 changed files
with
2,100 additions
and
3 deletions.
There are no files selected for viewing
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Some generated files are not rendered by default. Learn more about how customized files appear on GitHub.
Oops, something went wrong.
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,43 @@ | ||
package client | ||
|
||
import ( | ||
"context" | ||
"net/http" | ||
"net/url" | ||
|
||
"time" | ||
|
||
"github.com/lyft/flyteplugins/go/tasks/plugins/presto/config" | ||
) | ||
|
||
const ( | ||
httpRequestTimeoutSecs = 30 | ||
) | ||
|
||
type noopPrestoClient struct { | ||
client *http.Client | ||
environment *url.URL | ||
} | ||
|
||
func (p noopPrestoClient) ExecuteCommand( | ||
ctx context.Context, | ||
queryStr string, | ||
executeArgs PrestoExecuteArgs) (PrestoExecuteResponse, error) { | ||
|
||
return PrestoExecuteResponse{}, nil | ||
} | ||
|
||
func (p noopPrestoClient) KillCommand(ctx context.Context, commandID string) error { | ||
return nil | ||
} | ||
|
||
func (p noopPrestoClient) GetCommandStatus(ctx context.Context, commandID string) (PrestoStatus, error) { | ||
return NewPrestoStatus(ctx, "UNKNOWN"), nil | ||
} | ||
|
||
func NewNoopPrestoClient(cfg *config.Config) PrestoClient { | ||
return &noopPrestoClient{ | ||
client: &http.Client{Timeout: httpRequestTimeoutSecs * time.Second}, | ||
environment: cfg.Environment.ResolveReference(&cfg.Environment.URL), | ||
} | ||
} |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,35 @@ | ||
package client | ||
|
||
import "context" | ||
|
||
type PrestoStatus string | ||
|
||
// Contains information needed to execute a Presto query | ||
type PrestoExecuteArgs struct { | ||
RoutingGroup string `json:"routingGroup,omitempty"` | ||
Catalog string `json:"catalog,omitempty"` | ||
Schema string `json:"schema,omitempty"` | ||
Source string `json:"source,omitempty"` | ||
User string `json:"user,omitempty"` | ||
} | ||
|
||
// Representation of a response after submitting a query to Presto | ||
type PrestoExecuteResponse struct { | ||
ID string `json:"id,omitempty"` | ||
Status PrestoStatus `json:"status,omitempty"` | ||
NextURI string `json:"nextUri,omitempty"` | ||
} | ||
|
||
//go:generate mockery -all -case=snake | ||
|
||
// Interface to interact with PrestoClient for Presto tasks | ||
type PrestoClient interface { | ||
// Submits a query to Presto | ||
ExecuteCommand(ctx context.Context, commandStr string, executeArgs PrestoExecuteArgs) (PrestoExecuteResponse, error) | ||
|
||
// Cancels a currently running Presto query | ||
KillCommand(ctx context.Context, commandID string) error | ||
|
||
// Gets the status of a Presto query | ||
GetCommandStatus(ctx context.Context, commandID string) (PrestoStatus, error) | ||
} |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,43 @@ | ||
package client | ||
|
||
import ( | ||
"context" | ||
"strings" | ||
|
||
"github.com/lyft/flytestdlib/logger" | ||
) | ||
|
||
// This type is meant only to encapsulate the response coming from Presto as a type, it is | ||
// not meant to be stored locally. | ||
const ( | ||
PrestoStatusUnknown PrestoStatus = "UNKNOWN" | ||
PrestoStatusWaiting PrestoStatus = "WAITING" | ||
PrestoStatusRunning PrestoStatus = "RUNNING" | ||
PrestoStatusFinished PrestoStatus = "FINISHED" | ||
PrestoStatusFailed PrestoStatus = "FAILED" | ||
PrestoStatusCancelled PrestoStatus = "CANCELLED" | ||
) | ||
|
||
var PrestoStatuses = map[PrestoStatus]struct{}{ | ||
PrestoStatusUnknown: {}, | ||
PrestoStatusWaiting: {}, | ||
PrestoStatusRunning: {}, | ||
PrestoStatusFinished: {}, | ||
PrestoStatusFailed: {}, | ||
PrestoStatusCancelled: {}, | ||
} | ||
|
||
func NewPrestoStatus(ctx context.Context, state string) PrestoStatus { | ||
upperCased := strings.ToUpper(state) | ||
|
||
// Presto has different failure modes so this maps them all to a single Failure on the | ||
// Flyte side | ||
if strings.Contains(upperCased, "FAILED") { | ||
return PrestoStatusFailed | ||
} else if _, ok := PrestoStatuses[PrestoStatus(upperCased)]; ok { | ||
return PrestoStatus(upperCased) | ||
} else { | ||
logger.Warnf(ctx, "Invalid Presto Status found: %v", state) | ||
return PrestoStatusUnknown | ||
} | ||
} |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,76 @@ | ||
package config | ||
|
||
//go:generate pflags Config --default-var=defaultConfig | ||
|
||
import ( | ||
"context" | ||
"net/url" | ||
"time" | ||
|
||
"github.com/lyft/flytestdlib/config" | ||
"github.com/lyft/flytestdlib/logger" | ||
|
||
pluginsConfig "github.com/lyft/flyteplugins/go/tasks/config" | ||
) | ||
|
||
const prestoConfigSectionKey = "presto" | ||
|
||
func URLMustParse(s string) config.URL { | ||
r, err := url.Parse(s) | ||
if err != nil { | ||
logger.Panicf(context.TODO(), "Bad Presto URL Specified as default, error: %s", err) | ||
} | ||
if r == nil { | ||
logger.Panicf(context.TODO(), "Nil Presto URL specified.", err) | ||
} | ||
return config.URL{URL: *r} | ||
} | ||
|
||
type RoutingGroupConfig struct { | ||
Name string `json:"name" pflag:",The name of a given Presto routing group"` | ||
Limit int `json:"limit" pflag:",Resource quota (in the number of outstanding requests) of the routing group"` | ||
ProjectScopeQuotaProportionCap float64 `json:"projectScopeQuotaProportionCap" pflag:",A floating point number between 0 and 1, specifying the maximum proportion of quotas allowed to allocate to a project in the routing group"` | ||
NamespaceScopeQuotaProportionCap float64 `json:"namespaceScopeQuotaProportionCap" pflag:",A floating point number between 0 and 1, specifying the maximum proportion of quotas allowed to allocate to a namespace in the routing group"` | ||
} | ||
|
||
type RefreshCacheConfig struct { | ||
Name string `json:"name" pflag:",The name of the rate limiter"` | ||
SyncPeriod config.Duration `json:"syncPeriod" pflag:",The duration to wait before the cache is refreshed again"` | ||
Workers int `json:"workers" pflag:",Number of parallel workers to refresh the cache"` | ||
LruCacheSize int `json:"lruCacheSize" pflag:",Size of the cache"` | ||
} | ||
|
||
var ( | ||
defaultConfig = Config{ | ||
Environment: URLMustParse(""), | ||
DefaultRoutingGroup: "adhoc", | ||
DefaultUser: "flyte-default-user", | ||
RoutingGroupConfigs: []RoutingGroupConfig{{Name: "adhoc", Limit: 250}, {Name: "etl", Limit: 100}}, | ||
RefreshCacheConfig: RefreshCacheConfig{ | ||
Name: "presto", | ||
SyncPeriod: config.Duration{Duration: 5 * time.Second}, | ||
Workers: 15, | ||
LruCacheSize: 10000, | ||
}, | ||
} | ||
|
||
prestoConfigSection = pluginsConfig.MustRegisterSubSection(prestoConfigSectionKey, &defaultConfig) | ||
) | ||
|
||
// Presto plugin configs | ||
type Config struct { | ||
Environment config.URL `json:"environment" pflag:",Environment endpoint for Presto to use"` | ||
DefaultRoutingGroup string `json:"defaultRoutingGroup" pflag:",Default Presto routing group"` | ||
DefaultUser string `json:"defaultUser" pflag:",Default Presto user"` | ||
RoutingGroupConfigs []RoutingGroupConfig `json:"routingGroupConfigs" pflag:"-,A list of cluster configs. Each of the configs corresponds to a service cluster"` | ||
RefreshCacheConfig RefreshCacheConfig `json:"refreshCacheConfig" pflag:"Rate limiter config"` | ||
} | ||
|
||
// Retrieves the current config value or default. | ||
func GetPrestoConfig() *Config { | ||
return prestoConfigSection.GetConfig().(*Config) | ||
} | ||
|
||
func SetPrestoConfig(cfg *Config) error { | ||
return prestoConfigSection.SetConfig(cfg) | ||
} |
Oops, something went wrong.