-
Notifications
You must be signed in to change notification settings - Fork 1.2k
feat: Feature/adding remote online store #4226
New issue
Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.
By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.
Already on GitHub? Sign in to your account
Merged
franciscojavierarceo
merged 3 commits into
feast-dev:master
from
lokeshrangineni:feature/adding-remote-onlinestore-rebase
Jun 14, 2024
Merged
Changes from all commits
Commits
Show all changes
3 commits
Select commit
Hold shift + click to select a range
File filter
Filter by extension
Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
There are no files selected for viewing
This file contains hidden or 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 hidden or 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 hidden or 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,21 @@ | ||
| # Remote online store | ||
|
|
||
| ## Description | ||
|
|
||
| This remote online store will let you interact with remote feature server. At this moment this only supports the read operation. You can use this online store and able retrieve online features `store.get_online_features` from remote feature server. | ||
|
|
||
| ## Examples | ||
|
|
||
| The registry is pointing to registry of remote feature store. If it is not accessible then should be configured to use remote registry. | ||
|
|
||
| {% code title="feature_store.yaml" %} | ||
| ```yaml | ||
| project: my-local-project | ||
| registry: /remote/data/registry.db | ||
| provider: local | ||
| online_store: | ||
| path: http://localhost:6566 | ||
| type: remote | ||
| entity_key_serialization_version: 2 | ||
| ``` | ||
| {% endcode %} | ||
This file contains hidden or 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,167 @@ | ||
| # Copyright 2021 The Feast Authors | ||
| # | ||
| # Licensed under the Apache License, Version 2.0 (the "License"); | ||
| # you may not use this file except in compliance with the License. | ||
| # You may obtain a copy of the License at | ||
| # | ||
| # https://www.apache.org/licenses/LICENSE-2.0 | ||
| # | ||
| # Unless required by applicable law or agreed to in writing, software | ||
| # distributed under the License is distributed on an "AS IS" BASIS, | ||
| # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. | ||
| # See the License for the specific language governing permissions and | ||
| # limitations under the License. | ||
| import json | ||
| import logging | ||
| from datetime import datetime | ||
| from typing import Any, Callable, Dict, List, Literal, Optional, Sequence, Tuple | ||
|
|
||
| import requests | ||
| from pydantic import StrictStr | ||
|
|
||
| from feast import Entity, FeatureView, RepoConfig | ||
| from feast.infra.online_stores.online_store import OnlineStore | ||
| from feast.protos.feast.types.EntityKey_pb2 import EntityKey as EntityKeyProto | ||
| from feast.protos.feast.types.Value_pb2 import Value as ValueProto | ||
| from feast.repo_config import FeastConfigBaseModel | ||
| from feast.type_map import python_values_to_proto_values | ||
| from feast.value_type import ValueType | ||
|
|
||
| logger = logging.getLogger(__name__) | ||
|
|
||
|
|
||
| class RemoteOnlineStoreConfig(FeastConfigBaseModel): | ||
| """Remote Online store config for remote online store""" | ||
|
|
||
| type: Literal["remote"] = "remote" | ||
| """Online store type selector""" | ||
|
|
||
| path: StrictStr = "http://localhost:6566" | ||
| """ str: Path to metadata store. | ||
| If type is 'remote', then this is a URL for registry server """ | ||
|
|
||
|
|
||
| class RemoteOnlineStore(OnlineStore): | ||
| """ | ||
| remote online store implementation wrapper to communicate with feast online server. | ||
| """ | ||
|
|
||
| def online_write_batch( | ||
| self, | ||
| config: RepoConfig, | ||
| table: FeatureView, | ||
| data: List[ | ||
| Tuple[EntityKeyProto, Dict[str, ValueProto], datetime, Optional[datetime]] | ||
| ], | ||
| progress: Optional[Callable[[int], Any]], | ||
| ) -> None: | ||
| raise NotImplementedError | ||
|
|
||
| def online_read( | ||
lokeshrangineni marked this conversation as resolved.
Show resolved
Hide resolved
|
||
| self, | ||
| config: RepoConfig, | ||
| table: FeatureView, | ||
| entity_keys: List[EntityKeyProto], | ||
| requested_features: Optional[List[str]] = None, | ||
| ) -> List[Tuple[Optional[datetime], Optional[Dict[str, ValueProto]]]]: | ||
| assert isinstance(config.online_store, RemoteOnlineStoreConfig) | ||
| config.online_store.__class__ = RemoteOnlineStoreConfig | ||
|
|
||
| req_body = self._construct_online_read_api_json_request( | ||
| entity_keys, table, requested_features | ||
| ) | ||
| response = requests.post( | ||
| f"{config.online_store.path}/get-online-features", data=req_body | ||
| ) | ||
| if response.status_code == 200: | ||
| logger.debug("Able to retrieve the online features from feature server.") | ||
| response_json = json.loads(response.text) | ||
| event_ts = self._get_event_ts(response_json) | ||
| # Iterating over results and converting the API results in column format to row format. | ||
| result_tuples: List[ | ||
| Tuple[Optional[datetime], Optional[Dict[str, ValueProto]]] | ||
| ] = [] | ||
| for feature_value_index in range(len(entity_keys)): | ||
| feature_values_dict: Dict[str, ValueProto] = dict() | ||
| for index, feature_name in enumerate( | ||
| response_json["metadata"]["feature_names"] | ||
| ): | ||
| if ( | ||
| requested_features is not None | ||
lokeshrangineni marked this conversation as resolved.
Show resolved
Hide resolved
|
||
| and feature_name in requested_features | ||
| ): | ||
| if ( | ||
| response_json["results"][index]["statuses"][ | ||
| feature_value_index | ||
| ] | ||
| == "PRESENT" | ||
| ): | ||
| message = python_values_to_proto_values( | ||
| [ | ||
| response_json["results"][index]["values"][ | ||
| feature_value_index | ||
| ] | ||
| ], | ||
| ValueType.UNKNOWN, | ||
| ) | ||
| feature_values_dict[feature_name] = message[0] | ||
| else: | ||
| feature_values_dict[feature_name] = ValueProto() | ||
| result_tuples.append((event_ts, feature_values_dict)) | ||
| return result_tuples | ||
| else: | ||
| error_msg = f"Unable to retrieve the online store data using feature server API. Error_code={response.status_code}, error_message={response.reason}" | ||
| logger.error(error_msg) | ||
| raise RuntimeError(error_msg) | ||
|
|
||
| def _construct_online_read_api_json_request( | ||
| self, | ||
| entity_keys: List[EntityKeyProto], | ||
| table: FeatureView, | ||
| requested_features: Optional[List[str]] = None, | ||
| ) -> str: | ||
| api_requested_features = [] | ||
| if requested_features is not None: | ||
| for requested_feature in requested_features: | ||
| api_requested_features.append(f"{table.name}:{requested_feature}") | ||
|
|
||
| entity_values = [] | ||
| entity_key = "" | ||
| for row in entity_keys: | ||
| entity_key = row.join_keys[0] | ||
| entity_values.append( | ||
| getattr(row.entity_values[0], row.entity_values[0].WhichOneof("val")) | ||
| ) | ||
|
|
||
| req_body = json.dumps( | ||
| { | ||
| "features": api_requested_features, | ||
| "entities": {entity_key: entity_values}, | ||
| } | ||
| ) | ||
| return req_body | ||
|
|
||
| def _get_event_ts(self, response_json) -> datetime: | ||
| event_ts = "" | ||
| if len(response_json["results"]) > 1: | ||
| event_ts = response_json["results"][1]["event_timestamps"][0] | ||
| return datetime.fromisoformat(event_ts.replace("Z", "+00:00")) | ||
|
|
||
| def update( | ||
| self, | ||
| config: RepoConfig, | ||
| tables_to_delete: Sequence[FeatureView], | ||
| tables_to_keep: Sequence[FeatureView], | ||
| entities_to_delete: Sequence[Entity], | ||
| entities_to_keep: Sequence[Entity], | ||
| partial: bool, | ||
| ): | ||
| pass | ||
|
|
||
| def teardown( | ||
| self, | ||
| config: RepoConfig, | ||
| tables: Sequence[FeatureView], | ||
| entities: Sequence[Entity], | ||
| ): | ||
| pass | ||
This file contains hidden or 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 hidden or 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 hidden or 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
Oops, something went wrong.
Add this suggestion to a batch that can be applied as a single commit.
This suggestion is invalid because no changes were made to the code.
Suggestions cannot be applied while the pull request is closed.
Suggestions cannot be applied while viewing a subset of changes.
Only one suggestion per line can be applied in a batch.
Add this suggestion to a batch that can be applied as a single commit.
Applying suggestions on deleted lines is not supported.
You must change the existing code in this line in order to create a valid suggestion.
Outdated suggestions cannot be applied.
This suggestion has been applied or marked resolved.
Suggestions cannot be applied from pending reviews.
Suggestions cannot be applied on multi-line comments.
Suggestions cannot be applied while the pull request is queued to merge.
Suggestion cannot be applied right now. Please check back later.
Uh oh!
There was an error while loading. Please reload this page.