Skip to content
Merged
Show file tree
Hide file tree
Changes from 26 commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
9 changes: 3 additions & 6 deletions docs/deployments/packaging-models.md
Original file line number Diff line number Diff line change
Expand Up @@ -20,23 +20,20 @@ train_spec = tf.estimator.TrainSpec(train_input_fn, max_steps=1000)
eval_spec = tf.estimator.EvalSpec(eval_input_fn, exporters=[exporter], name="estimator-eval")

tf.estimator.train_and_evaluate(classifier, train_spec, eval_spec)

# zip the estimator export dir (the exported path looks like iris/export/estimator/1562353043/)
shutil.make_archive("tensorflow", "zip", os.path.join("iris/export/estimator"))
```

Upload the zipped file to Amazon S3 using the AWS web console or CLI:
Upload the exported version directory to Amazon S3 using the AWS web console or CLI:

```text
$ aws s3 cp model.zip s3://my-bucket/model.zip
$ aws s3 sync ./iris/export/estimator/156293432 s3://my-bucket/iris/156293432
```

Reference your model in an `api`:

```yaml
- kind: api
name: my-api
model: s3://my-bucket/model.zip
model: s3://my-bucket/iris/156293432
```

## ONNX
Expand Down
2 changes: 1 addition & 1 deletion examples/iris/cortex.yaml
Original file line number Diff line number Diff line change
Expand Up @@ -3,7 +3,7 @@

- kind: api
name: tensorflow
model: s3://cortex-examples/iris/tensorflow.zip
model: s3://cortex-examples/iris/tensorflow/1560263532

- kind: api
name: pytorch
Expand Down
4 changes: 0 additions & 4 deletions examples/iris/models/tensorflow_model.py
Original file line number Diff line number Diff line change
Expand Up @@ -88,7 +88,3 @@ def my_model(features, labels, mode, params):

# zip the estimator export dir (the exported path looks like iris_tf_export/export/estimator/1562353043/)
estimator_dir = EXPORT_DIR + "/export/estimator"
shutil.make_archive("tensorflow", "zip", os.path.join(estimator_dir))

# clean up
shutil.rmtree(EXPORT_DIR)
2 changes: 1 addition & 1 deletion examples/sentiment/cortex.yaml
Original file line number Diff line number Diff line change
Expand Up @@ -3,5 +3,5 @@

- kind: api
name: classifier
model: s3://cortex-examples/sentiment/bert.zip
model: s3://cortex-examples/sentiment/1565392692
request_handler: sentiment.py
46 changes: 33 additions & 13 deletions pkg/lib/aws/s3.go
Original file line number Diff line number Diff line change
Expand Up @@ -318,7 +318,7 @@ func IsS3PrefixExternal(bucket string, prefix string) (bool, error) {
return hasPrefix, nil
}

func IsS3FileExternal(bucket string, key string) (bool, error) {
func IsS3FileExternal(bucket string, keys ...string) (bool, error) {
region, err := GetBucketRegion(bucket)
if err != nil {
return false, err
Expand All @@ -328,17 +328,19 @@ func IsS3FileExternal(bucket string, key string) (bool, error) {
Region: aws.String(region),
}))

_, err = s3.New(sess).HeadObject(&s3.HeadObjectInput{
Bucket: aws.String(bucket),
Key: aws.String(key),
})
for _, key := range keys {
_, err = s3.New(sess).HeadObject(&s3.HeadObjectInput{
Bucket: aws.String(bucket),
Key: aws.String(key),
})

if IsNotFoundErr(err) {
return false, nil
}
if IsNotFoundErr(err) {
return false, nil
}

if err != nil {
return false, errors.Wrap(err, bucket, key)
if err != nil {
return false, errors.Wrap(err, bucket, key)
}
}

return true, nil
Expand All @@ -352,11 +354,29 @@ func IsS3aPathPrefixExternal(s3aPath string) (bool, error) {
return IsS3PrefixExternal(bucket, prefix)
}

func IsS3PathFileExternal(s3Path string) (bool, error) {
bucket, key, err := SplitS3Path(s3Path)
func IsS3PathPrefixExternal(s3Path string) (bool, error) {
bucket, prefix, err := SplitS3Path(s3Path)
if err != nil {
return false, err
}
return IsS3PrefixExternal(bucket, prefix)
}

func IsS3PathFileExternal(s3Paths ...string) (bool, error) {
for _, s3Path := range s3Paths {
bucket, key, err := SplitS3Path(s3Path)
if err != nil {
return false, err
}
exists, err := IsS3FileExternal(bucket, key)
if err != nil {
return false, err
}

return IsS3FileExternal(bucket, key)
if !exists {
return false, nil
}
}

return true, nil
}
62 changes: 50 additions & 12 deletions pkg/operator/api/userconfig/apis.go
Original file line number Diff line number Diff line change
Expand Up @@ -77,6 +77,29 @@ var apiValidation = &cr.StructValidation{
},
}

// IsValidS3Directory checks that the path contains a valid S3 directory for Tensorflow models
// Must contain the following structure:
// - 1523423423/ (version prefix, usually a timestamp)
// - saved_model.pb
// - variables/
// - variables.index
// - variables.data-00000-of-00001 (there are a variable number of these files)
func IsValidS3Directory(path string) bool {
if valid, err := aws.IsS3PathFileExternal(
fmt.Sprintf("%s/saved_model.pb", path),
fmt.Sprintf("%s/variables/variables.index", path),
); err != nil || !valid {
return false
}

if valid, err := aws.IsS3PathPrefixExternal(
fmt.Sprintf("%s/variables/variables.data-00000-of", path),
); err != nil || !valid {
return false
}
return true
}

func (api *API) UserConfigStr() string {
var sb strings.Builder
sb.WriteString(api.ResourceFields.UserConfigStr())
Expand Down Expand Up @@ -118,24 +141,39 @@ func (apis APIs) Validate() error {
func (api *API) Validate() error {
if yaml.StartsWithEscapedAtSymbol(api.Model) {
api.ModelFormat = TensorFlowModelFormat
} else {
if !aws.IsValidS3Path(api.Model) {
return errors.Wrap(ErrorInvalidS3PathOrResourceReference(api.Model), Identify(api), ModelKey)
if err := api.Compute.Validate(); err != nil {
return errors.Wrap(err, Identify(api), ComputeKey)
}

if api.ModelFormat == UnknownModelFormat {
if strings.HasSuffix(api.Model, ".onnx") {
api.ModelFormat = ONNXModelFormat
} else if strings.HasSuffix(api.Model, ".zip") {
api.ModelFormat = TensorFlowModelFormat
} else {
return errors.Wrap(ErrorUnableToInferModelFormat(), Identify(api))
}
}
return nil
}

if !aws.IsValidS3Path(api.Model) {
return errors.Wrap(ErrorInvalidS3PathOrResourceReference(api.Model), Identify(api), ModelKey)
}

switch api.ModelFormat {
case ONNXModelFormat:
if ok, err := aws.IsS3PathFileExternal(api.Model); err != nil || !ok {
return errors.Wrap(ErrorExternalNotFound(api.Model), Identify(api), ModelKey)
}
case TensorFlowModelFormat:
if !IsValidS3Directory(api.Model) {
return errors.Wrap(ErrorInvalidTensorflowDir(api.Model), Identify(api), ModelKey)
}
default:
switch {
case strings.HasSuffix(api.Model, ".onnx"):
api.ModelFormat = ONNXModelFormat
if ok, err := aws.IsS3PathFileExternal(api.Model); err != nil || !ok {
return errors.Wrap(ErrorExternalNotFound(api.Model), Identify(api), ModelKey)
}
case IsValidS3Directory(api.Model):
api.ModelFormat = TensorFlowModelFormat
default:
return errors.Wrap(ErrorUnableToInferModelFormat(), Identify(api))
}

}

if err := api.Compute.Validate(); err != nil {
Expand Down
5 changes: 0 additions & 5 deletions pkg/operator/api/userconfig/config.go
Original file line number Diff line number Diff line change
Expand Up @@ -154,11 +154,6 @@ func (config *Config) ValidatePartial() error {
}

func (config *Config) Validate(envName string) error {
err := config.ValidatePartial()
if err != nil {
return err
}

if config.App == nil {
return ErrorMissingAppDefinition()
}
Expand Down
26 changes: 24 additions & 2 deletions pkg/operator/api/userconfig/errors.go
Original file line number Diff line number Diff line change
Expand Up @@ -80,6 +80,7 @@ const (
ErrInvalidS3PathOrResourceReference
ErrUnableToInferModelFormat
ErrExternalNotFound
ErrInvalidTensorflowDir
)

var errorKinds = []string{
Expand Down Expand Up @@ -133,9 +134,10 @@ var errorKinds = []string{
"err_invalid_s3_path_or_resource_reference",
"err_unable_to_infer_model_format",
"err_external_not_found",
"err_invalid_tensorflow_dir",
}

var _ = [1]int{}[int(ErrExternalNotFound)-(len(errorKinds)-1)] // Ensure list length matches
var _ = [1]int{}[int(ErrInvalidTensorflowDir)-(len(errorKinds)-1)] // Ensure list length matches

func (t ErrorKind) String() string {
return errorKinds[t]
Expand Down Expand Up @@ -599,10 +601,30 @@ func ErrorExternalNotFound(path string) error {
}
}

var onnxExpectedStructMessage = `For ONNX models, the path should end in .onnx`

var tfExpectedStructMessage = `For TensorFlow models, the path should be a directory with the following structure:
1523423423/ (version prefix, usually a timestamp)
├── saved_model.pb
└── variables/
├── variables.index
├── variables.data-00000-of-00003
├── variables.data-00001-of-00003
└── variables.data-00002-of-...`

func ErrorUnableToInferModelFormat() error {
message := ModelFormatKey + " not specified, and could not be inferred\n" + onnxExpectedStructMessage + "\n" + tfExpectedStructMessage
return Error{
Kind: ErrUnableToInferModelFormat,
message: "unable to infer " + ModelFormatKey + ": path to model should end in .zip for TensorFlow models, .onnx for ONNX models, or the " + ModelFormatKey + " key must be specified",
message: message,
}
}
func ErrorInvalidTensorflowDir(path string) error {
message := "invalid TF export directory.\n"
message += tfExpectedStructMessage
return Error{
Kind: ErrInvalidTensorflowDir,
message: message,
}
}

Expand Down
10 changes: 10 additions & 0 deletions pkg/workloads/cortex/lib/storage/local.py
Original file line number Diff line number Diff line change
Expand Up @@ -141,3 +141,13 @@ def download_and_unzip(self, key, local_dir):
local_zip = os.path.join(local_dir, "zip.zip")
self.download_file(key, local_zip)
util.extract_zip(local_zip, delete_zip_file=True)

def list_objects(self, path):
objects = []
for root, dirs, files in os.walk(path):
for name in files:
objects.append(os.path.join(root, name))
for name in dirs:
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

I don't think the S3 version of list_objects() returns directories, just objects. Can you confirm, and if so, only return files here?

objects.append(os.path.join(root, name))

return objects
6 changes: 6 additions & 0 deletions pkg/workloads/cortex/lib/storage/s3.py
Original file line number Diff line number Diff line change
Expand Up @@ -249,3 +249,9 @@ def get_json_external(self, s3_path, num_retries=0, retry_delay_sec=2):
if obj is None:
return None
return json.loads(obj.decode("utf-8"))

def list_objects(self, path):
_, prefix = self.deconstruct_s3_path(path)
return [
obj[len(prefix) + 1 :] for obj in self.search(prefix=prefix) if not obj.endswith("/")
]
36 changes: 26 additions & 10 deletions pkg/workloads/cortex/tf_api/api.py
Original file line number Diff line number Diff line change
Expand Up @@ -31,6 +31,7 @@
from cortex import consts
from cortex.lib import util, tf_lib, package, Context
from cortex.lib.log import get_logger
from cortex.lib.storage import S3, LocalStorage
from cortex.lib.exceptions import CortexException, UserRuntimeException, UserException
from cortex.lib.context import create_transformer_inputs_from_map

Expand Down Expand Up @@ -441,6 +442,22 @@ def get_signature(app_name, api_name):
return jsonify(response)


def download_dir_external(ctx, s3_path, local_path):
util.mkdir_p(local_path)
bucket_name, prefix = ctx.storage.deconstruct_s3_path(s3_path)
storage_client = S3(bucket_name, client_config={})
objects = storage_client.list_objects(s3_path)
version = prefix.split("/")[-1]
local_path = os.path.join(local_path, version)
for obj in objects:
if not os.path.exists(os.path.dirname(obj)):
util.mkdir_p(os.path.join(local_path, os.path.dirname(obj)))

ctx.storage.download_file_external(
bucket_name + "/" + os.path.join(prefix, obj), os.path.join(local_path, obj)
)


def validate_model_dir(model_dir):
"""
validates that model_dir has the expected directory tree.
Expand Down Expand Up @@ -493,23 +510,22 @@ def start(args):
if api.get("request_handler") is not None:
local_cache["request_handler"] = ctx.get_request_handler_impl(api["name"])

if not util.is_resource_ref(api["model"]):
if not os.path.isdir(args.model_dir):
ctx.storage.download_and_unzip_external(api["model"], args.model_dir)
if not os.path.isdir(args.model_dir):
if util.is_resource_ref(api["model"]):
model_name = util.get_resource_ref(api["model"])
model = ctx.models[model_name]
ctx.storage.download_and_unzip(model["key"], args.model_dir)
else:
download_dir_external(ctx, api["model"], args.model_dir)

if args.only_download:
return
else:

if util.is_resource_ref(api["model"]):
model_name = util.get_resource_ref(api["model"])
model = ctx.models[model_name]
estimator = ctx.estimators[model["estimator"]]

if not os.path.isdir(args.model_dir):
ctx.storage.download_and_unzip(model["key"], args.model_dir)

if args.only_download:
return

local_cache["model"] = model
local_cache["estimator"] = estimator
local_cache["target_col"] = ctx.columns[util.get_resource_ref(model["target_column"])]
Expand Down