oracle-ads 2.11.14__py3-none-any.whl → 2.11.15__py3-none-any.whl

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
Files changed (44) hide show
  1. ads/aqua/common/utils.py +77 -20
  2. ads/aqua/constants.py +30 -17
  3. ads/aqua/evaluation/evaluation.py +118 -107
  4. ads/aqua/extension/evaluation_handler.py +4 -7
  5. ads/aqua/extension/evaluation_ws_msg_handler.py +0 -4
  6. ads/aqua/model/entities.py +6 -8
  7. ads/aqua/modeldeployment/constants.py +0 -16
  8. ads/aqua/modeldeployment/deployment.py +45 -67
  9. ads/opctl/operator/common/operator_config.py +1 -0
  10. ads/opctl/operator/lowcode/anomaly/README.md +3 -3
  11. ads/opctl/operator/lowcode/anomaly/__main__.py +5 -6
  12. ads/opctl/operator/lowcode/anomaly/const.py +8 -0
  13. ads/opctl/operator/lowcode/anomaly/model/anomaly_dataset.py +6 -2
  14. ads/opctl/operator/lowcode/anomaly/model/base_model.py +29 -20
  15. ads/opctl/operator/lowcode/anomaly/model/factory.py +41 -13
  16. ads/opctl/operator/lowcode/anomaly/model/isolationforest.py +79 -0
  17. ads/opctl/operator/lowcode/anomaly/model/oneclasssvm.py +79 -0
  18. ads/opctl/operator/lowcode/anomaly/schema.yaml +12 -2
  19. ads/opctl/operator/lowcode/anomaly/utils.py +16 -13
  20. ads/opctl/operator/lowcode/common/data.py +2 -1
  21. ads/opctl/operator/lowcode/common/transformations.py +37 -9
  22. ads/opctl/operator/lowcode/common/utils.py +32 -10
  23. ads/opctl/operator/lowcode/forecast/model/ml_forecast.py +14 -18
  24. ads/opctl/operator/lowcode/forecast/model_evaluator.py +4 -2
  25. ads/opctl/operator/lowcode/forecast/schema.yaml +9 -0
  26. ads/opctl/operator/lowcode/recommender/MLoperator +16 -0
  27. ads/opctl/operator/lowcode/recommender/README.md +206 -0
  28. ads/opctl/operator/lowcode/recommender/__init__.py +5 -0
  29. ads/opctl/operator/lowcode/recommender/__main__.py +82 -0
  30. ads/opctl/operator/lowcode/recommender/cmd.py +33 -0
  31. ads/opctl/operator/lowcode/recommender/constant.py +25 -0
  32. ads/opctl/operator/lowcode/recommender/environment.yaml +11 -0
  33. ads/opctl/operator/lowcode/recommender/model/base_model.py +198 -0
  34. ads/opctl/operator/lowcode/recommender/model/factory.py +58 -0
  35. ads/opctl/operator/lowcode/recommender/model/recommender_dataset.py +25 -0
  36. ads/opctl/operator/lowcode/recommender/model/svd.py +88 -0
  37. ads/opctl/operator/lowcode/recommender/operator_config.py +81 -0
  38. ads/opctl/operator/lowcode/recommender/schema.yaml +265 -0
  39. ads/opctl/operator/lowcode/recommender/utils.py +13 -0
  40. {oracle_ads-2.11.14.dist-info → oracle_ads-2.11.15.dist-info}/METADATA +6 -1
  41. {oracle_ads-2.11.14.dist-info → oracle_ads-2.11.15.dist-info}/RECORD +44 -28
  42. {oracle_ads-2.11.14.dist-info → oracle_ads-2.11.15.dist-info}/LICENSE.txt +0 -0
  43. {oracle_ads-2.11.14.dist-info → oracle_ads-2.11.15.dist-info}/WHEEL +0 -0
  44. {oracle_ads-2.11.14.dist-info → oracle_ads-2.11.15.dist-info}/entry_points.txt +0 -0
@@ -0,0 +1,88 @@
1
+ #!/usr/bin/env python
2
+ # -*- coding: utf-8 -*--
3
+ from typing import Tuple, Dict, Any
4
+
5
+ # Copyright (c) 2023, 2024 Oracle and/or its affiliates.
6
+ # Licensed under the Universal Permissive License v 1.0 as shown at https://oss.oracle.com/licenses/upl/
7
+
8
+ import pandas as pd
9
+ from pandas import DataFrame
10
+
11
+ from .recommender_dataset import RecommenderDatasets
12
+ from ..operator_config import RecommenderOperatorConfig
13
+ from .factory import RecommenderOperatorBaseModel
14
+ from surprise import Dataset, Reader
15
+ from surprise.model_selection import train_test_split
16
+ from surprise import SVD
17
+ from surprise.accuracy import rmse, mae
18
+ import report_creator as rc
19
+ from ..constant import SupportedMetrics
20
+
21
+
22
+ class SVDOperatorModel(RecommenderOperatorBaseModel):
23
+ """Class representing scikit surprise SVD operator model."""
24
+
25
+ def __init__(self, config: RecommenderOperatorConfig, datasets: RecommenderDatasets):
26
+ super().__init__(config, datasets)
27
+ self.interactions = datasets.interactions
28
+ self.users = datasets.users
29
+ self.items = datasets.items
30
+ self.user_id = config.spec.user_column
31
+ self.item_id = config.spec.item_column
32
+ self.interaction_column = config.spec.interaction_column
33
+ self.test_size = 0.2
34
+ self.algo = SVD()
35
+
36
+ def _get_recommendations(self, user_id, n):
37
+ all_item_ids = self.items[self.item_id].unique()
38
+ rated_items = self.interactions[self.interactions[self.user_id] == user_id][self.item_id]
39
+ unrated_items = [item_id for item_id in all_item_ids if item_id not in rated_items.values]
40
+ predictions = [self.algo.predict(user_id, item_id) for item_id in unrated_items]
41
+ predictions.sort(key=lambda x: x.est, reverse=True)
42
+ top_n_recommendations = predictions[:n]
43
+ return [(pred.iid, pred.est) for pred in top_n_recommendations]
44
+
45
+ def _build_model(self) -> Tuple[DataFrame, Dict]:
46
+ min_rating = self.interactions[self.interaction_column].min()
47
+ max_rating = self.interactions[self.interaction_column].max()
48
+ reader = Reader(rating_scale=(min_rating, max_rating))
49
+ data = Dataset.load_from_df(self.interactions[[self.user_id, self.item_id, self.interaction_column]], reader)
50
+ trainset, testset = train_test_split(data, test_size=self.test_size)
51
+ self.algo.fit(trainset)
52
+ predictions = self.algo.test(testset)
53
+
54
+ metric = {}
55
+ metric[SupportedMetrics.RMSE] = rmse(predictions, verbose=True)
56
+ metric[SupportedMetrics.MAE] = mae(predictions, verbose=True)
57
+ all_recommendations = []
58
+ for user_id in self.users[self.user_id]:
59
+ recommendations = self._get_recommendations(user_id, n=self.spec.top_k)
60
+ for item_id, est_rating in recommendations:
61
+ all_recommendations.append({
62
+ self.user_id: user_id,
63
+ self.item_id: item_id,
64
+ self.interaction_column: est_rating
65
+ })
66
+ recommendations_df = pd.DataFrame(all_recommendations)
67
+ return recommendations_df, metric
68
+
69
+ def _generate_report(self):
70
+ model_description = """
71
+ Singular Value Decomposition (SVD) is a matrix factorization technique used in recommendation systems to
72
+ decompose a user-item interaction matrix into three constituent matrices. These matrices capture the
73
+ latent factors that explain the observed interactions.
74
+ """
75
+ new_user_recommendations = self._get_recommendations("__new_user__", self.spec.top_k)
76
+ new_recommendations = []
77
+ for item_id, est_rating in new_user_recommendations:
78
+ new_recommendations.append({
79
+ self.user_id: "__new_user__",
80
+ self.item_id: item_id,
81
+ self.interaction_column: est_rating
82
+ })
83
+ title = rc.Heading("Recommendations for new users", level=2)
84
+ other_sections = [title, rc.DataTable(new_recommendations)]
85
+ return (
86
+ model_description,
87
+ other_sections
88
+ )
@@ -0,0 +1,81 @@
1
+ #!/usr/bin/env python
2
+ # -*- coding: utf-8 -*--
3
+
4
+ # Copyright (c) 2023 Oracle and/or its affiliates.
5
+ # Licensed under the Universal Permissive License v 1.0 as shown at https://oss.oracle.com/licenses/upl/
6
+
7
+ import os
8
+ from dataclasses import dataclass, field
9
+
10
+ from ads.common.serializer import DataClassSerializable
11
+ from ads.opctl.operator.common.operator_config import OperatorConfig, InputData
12
+ from ads.opctl.operator.common.utils import _load_yaml_from_uri
13
+ from ads.opctl.operator.lowcode.common.utils import find_output_dirname
14
+ from .constant import SupportedModels
15
+
16
+
17
+ @dataclass(repr=True)
18
+ class OutputDirectory(DataClassSerializable):
19
+ """Class representing operator specification output directory details."""
20
+
21
+ url: str = None
22
+ name: str = None
23
+
24
+
25
+ @dataclass(repr=True)
26
+ class RecommenderOperatorSpec(DataClassSerializable):
27
+ """Class representing Recommender operator specification."""
28
+
29
+ user_data: InputData = field(default_factory=InputData)
30
+ item_data: InputData = field(default_factory=InputData)
31
+ interactions_data: InputData = field(default_factory=InputData)
32
+ output_directory: OutputDirectory = field(default_factory=OutputDirectory)
33
+ top_k: int = None
34
+ model_name: str = None
35
+ user_column: str = None
36
+ item_column: str = None
37
+ interaction_column: str = None
38
+ recommendations_filename: str = None
39
+ generate_report: bool = None
40
+ report_filename: str = None
41
+
42
+
43
+ def __post_init__(self):
44
+ """Adjusts the specification details."""
45
+ self.output_directory = self.output_directory or OutputDirectory(url=find_output_dirname(self.output_directory))
46
+ self.model_name = self.model_name or SupportedModels.SVD
47
+ self.recommendations_filename = self.recommendations_filename or "recommendations.csv"
48
+ # For Report Generation. When user doesn't specify defaults to True
49
+ self.generate_report = (
50
+ self.generate_report if self.generate_report is not None else True
51
+ )
52
+ self.report_filename = self.report_filename or "report.html"
53
+
54
+
55
+ @dataclass(repr=True)
56
+ class RecommenderOperatorConfig(OperatorConfig):
57
+ """Class representing Recommender operator config.
58
+
59
+ Attributes
60
+ ----------
61
+ kind: str
62
+ The kind of the resource. For operators it is always - `operator`.
63
+ type: str
64
+ The type of the operator. For Recommender operator it is always - `Recommender`
65
+ version: str
66
+ The version of the operator.
67
+ spec: RecommenderOperatorSpec
68
+ The Recommender operator specification.
69
+ """
70
+
71
+ kind: str = "operator"
72
+ type: str = "Recommender"
73
+ version: str = "v1"
74
+ spec: RecommenderOperatorSpec = field(default_factory=RecommenderOperatorSpec)
75
+
76
+ @classmethod
77
+ def _load_schema(cls) -> str:
78
+ """Loads operator schema."""
79
+ return _load_yaml_from_uri(
80
+ os.path.join(os.path.dirname(os.path.abspath(__file__)), "schema.yaml")
81
+ )
@@ -0,0 +1,265 @@
1
+ kind:
2
+ allowed:
3
+ - operator
4
+ required: true
5
+ type: string
6
+ default: operator
7
+ meta:
8
+ description: "Which service are you trying to use? Common kinds: `operator`, `job`"
9
+
10
+ version:
11
+ allowed:
12
+ - "v1"
13
+ required: true
14
+ type: string
15
+ default: v1
16
+ meta:
17
+ description: "Operators may change yaml file schemas from version to version, as well as implementation details. Double check the version to ensure compatibility."
18
+
19
+ type:
20
+ required: true
21
+ type: string
22
+ default: recommender
23
+ meta:
24
+ description: "Type should always be `recommender` when using a recommender operator"
25
+
26
+
27
+ spec:
28
+ required: true
29
+ type: dict
30
+ schema:
31
+ user_data:
32
+ required: true
33
+ type: dict
34
+ default: {"url": "user_data.csv"}
35
+ meta:
36
+ description: "This should contain user related attribute."
37
+ schema:
38
+ connect_args:
39
+ nullable: true
40
+ required: false
41
+ type: dict
42
+ format:
43
+ allowed:
44
+ - csv
45
+ - json
46
+ - clipboard
47
+ - excel
48
+ - feather
49
+ - sql_table
50
+ - sql_query
51
+ - hdf
52
+ - tsv
53
+ required: false
54
+ type: string
55
+ columns:
56
+ required: false
57
+ type: list
58
+ schema:
59
+ type: string
60
+ filters:
61
+ required: false
62
+ type: list
63
+ schema:
64
+ type: string
65
+ options:
66
+ nullable: true
67
+ required: false
68
+ type: dict
69
+ sql:
70
+ required: false
71
+ type: string
72
+ table_name:
73
+ required: false
74
+ type: string
75
+ url:
76
+ required: false
77
+ type: string
78
+ meta:
79
+ description: "The url can be local, or remote. For example: `oci://<bucket>@<namespace>/data.csv`"
80
+ limit:
81
+ required: false
82
+ type: integer
83
+
84
+ item_data:
85
+ required: true
86
+ type: dict
87
+ default: {"url": "item_data.csv"}
88
+ meta:
89
+ description: "This should contain item related attribute"
90
+ schema:
91
+ connect_args:
92
+ nullable: true
93
+ required: false
94
+ type: dict
95
+ format:
96
+ allowed:
97
+ - csv
98
+ - json
99
+ - clipboard
100
+ - excel
101
+ - feather
102
+ - sql_table
103
+ - sql_query
104
+ - hdf
105
+ - tsv
106
+ required: false
107
+ type: string
108
+ columns:
109
+ required: false
110
+ type: list
111
+ schema:
112
+ type: string
113
+ filters:
114
+ required: false
115
+ type: list
116
+ schema:
117
+ type: string
118
+ options:
119
+ nullable: true
120
+ required: false
121
+ type: dict
122
+ sql:
123
+ required: false
124
+ type: string
125
+ table_name:
126
+ required: false
127
+ type: string
128
+ url:
129
+ required: false
130
+ type: string
131
+ meta:
132
+ description: "The url can be local, or remote. For example: `oci://<bucket>@<namespace>/data.csv`"
133
+ limit:
134
+ required: false
135
+ type: integer
136
+
137
+ interactions_data:
138
+ required: true
139
+ default: {"url": "interactions_data.csv"}
140
+ meta:
141
+ description: "This should include interactions between items and users"
142
+ schema:
143
+ connect_args:
144
+ nullable: true
145
+ required: false
146
+ type: dict
147
+ format:
148
+ allowed:
149
+ - csv
150
+ - json
151
+ - clipboard
152
+ - excel
153
+ - feather
154
+ - sql_table
155
+ - sql_query
156
+ - hdf
157
+ - tsv
158
+ required: false
159
+ type: string
160
+ columns:
161
+ required: false
162
+ type: list
163
+ schema:
164
+ type: string
165
+ filters:
166
+ required: false
167
+ type: list
168
+ schema:
169
+ type: string
170
+ options:
171
+ nullable: true
172
+ required: false
173
+ type: dict
174
+ sql:
175
+ required: false
176
+ type: string
177
+ table_name:
178
+ required: false
179
+ type: string
180
+ url:
181
+ required: false
182
+ type: string
183
+ meta:
184
+ description: "The url can be local, or remote. For example: `oci://<bucket>@<namespace>/data.csv`"
185
+ limit:
186
+ required: false
187
+ type: integer
188
+ type: dict
189
+
190
+ top_k:
191
+ required: true
192
+ type: integer
193
+ default: 1
194
+
195
+ output_directory:
196
+ required: false
197
+ schema:
198
+ connect_args:
199
+ nullable: true
200
+ required: false
201
+ type: dict
202
+ format:
203
+ allowed:
204
+ - csv
205
+ - json
206
+ - clipboard
207
+ - excel
208
+ - feather
209
+ - sql_table
210
+ - sql_query
211
+ - hdf
212
+ - tsv
213
+ required: false
214
+ type: string
215
+ columns:
216
+ required: false
217
+ type: list
218
+ schema:
219
+ type: string
220
+ filters:
221
+ required: false
222
+ type: list
223
+ schema:
224
+ type: string
225
+ options:
226
+ nullable: true
227
+ required: false
228
+ type: dict
229
+ sql:
230
+ required: false
231
+ type: string
232
+ table_name:
233
+ required: false
234
+ type: string
235
+ url:
236
+ required: false
237
+ type: string
238
+ meta:
239
+ description: "The url can be local, or remote. For example: `oci://<bucket>@<namespace>/data.csv`"
240
+ limit:
241
+ required: false
242
+ type: integer
243
+ type: dict
244
+
245
+ report_filename:
246
+ required: false
247
+ type: string
248
+ default: report.html
249
+ meta:
250
+ description: "Placed into output_directory location. Defaults to report.html"
251
+
252
+ user_column:
253
+ type: string
254
+ required: true
255
+ default: "user_id"
256
+
257
+ item_column:
258
+ type: string
259
+ required: true
260
+ default: "item_id"
261
+
262
+ interaction_column:
263
+ type: string
264
+ required: true
265
+ default: "rating"
@@ -0,0 +1,13 @@
1
+ #!/usr/bin/env python
2
+ # -*- coding: utf-8 -*--
3
+
4
+ # Copyright (c) 2023, 2024 Oracle and/or its affiliates.
5
+ # Licensed under the Universal Permissive License v 1.0 as shown at https://oss.oracle.com/licenses/upl/
6
+
7
+ import os
8
+
9
+
10
+ def default_signer(**kwargs):
11
+ os.environ["EXTRA_USER_AGENT_INFO"] = "Recommender-Operator"
12
+ from ads.common.auth import default_signer
13
+ return default_signer(**kwargs)
@@ -1,6 +1,6 @@
1
1
  Metadata-Version: 2.1
2
2
  Name: oracle_ads
3
- Version: 2.11.14
3
+ Version: 2.11.15
4
4
  Summary: Oracle Accelerated Data Science SDK
5
5
  Keywords: Oracle Cloud Infrastructure,OCI,Machine Learning,ML,Artificial Intelligence,AI,Data Science,Cloud,Oracle
6
6
  Author: Oracle Data Science
@@ -114,6 +114,10 @@ Requires-Dist: scrubadub_spacy ; extra == "pii"
114
114
  Requires-Dist: spacy-transformers==1.2.5 ; extra == "pii"
115
115
  Requires-Dist: spacy==3.6.1 ; extra == "pii"
116
116
  Requires-Dist: report-creator==1.0.9 ; extra == "pii"
117
+ Requires-Dist: oracle_ads[opctl] ; extra == "recommender"
118
+ Requires-Dist: scikit-surprise ; extra == "recommender"
119
+ Requires-Dist: plotly ; extra == "recommender"
120
+ Requires-Dist: report-creator==1.0.9 ; extra == "recommender"
117
121
  Requires-Dist: pyspark>=3.0.0 ; extra == "spark"
118
122
  Requires-Dist: oracle_ads[viz] ; extra == "tensorflow"
119
123
  Requires-Dist: tensorflow<=2.15.1 ; extra == "tensorflow"
@@ -163,6 +167,7 @@ Provides-Extra: onnx
163
167
  Provides-Extra: opctl
164
168
  Provides-Extra: optuna
165
169
  Provides-Extra: pii
170
+ Provides-Extra: recommender
166
171
  Provides-Extra: spark
167
172
  Provides-Extra: tensorflow
168
173
  Provides-Extra: testsuite
@@ -4,14 +4,14 @@ ads/config.py,sha256=t_zDKftVYOLPP-t8IcnzEbtmMRX-6a8QKY9E_SnqA8M,8163
4
4
  ads/aqua/__init__.py,sha256=IUKZAsxUGVicsyeSwsGwK6rAUJ1vIUW9ywduA3U22xc,1015
5
5
  ads/aqua/app.py,sha256=wKnvSiD4nROcRUjGJ2FktRDeF4rWGTT_BjekMqHd9Nw,11994
6
6
  ads/aqua/cli.py,sha256=W-0kswzRDEilqHyw5GSMOrARgvOyPRtkEtpy54ew0Jo,3907
7
- ads/aqua/constants.py,sha256=X_hGws37iJML6qxjEJLKbVbBS_CrqGZw9aTqZTMG0uA,2473
7
+ ads/aqua/constants.py,sha256=yyH0_m_yohWTULzDok586BGpeEdpyuzyONDbXYujd7U,2729
8
8
  ads/aqua/data.py,sha256=7T7kdHGnEH6FXL_7jv_Da0CjEWXfjQZTFkaZWQikis4,932
9
9
  ads/aqua/ui.py,sha256=pL9RVQoKNJPtLjPGt43PWXikIhCqxTeNBk2JYqFuXSM,20507
10
10
  ads/aqua/common/__init__.py,sha256=rZrmh1nho40OCeabXCNWtze-mXi-PGKetcZdxZSn3_0,204
11
11
  ads/aqua/common/decorator.py,sha256=XFS7tYGkN4dVzmB1wTYiJk1XqJ-VLhvzfZjExiQClgc,3640
12
12
  ads/aqua/common/enums.py,sha256=wgpKif1SIXFRLhceZtYuTm8jUG5r3E3pVKPWvHZX_KA,2136
13
13
  ads/aqua/common/errors.py,sha256=Ev2xbaqkDqeCYDx4ZgOKOoM0sXsOXP3GIV6N1lhIUxM,3085
14
- ads/aqua/common/utils.py,sha256=BzREMfq-eMc3AJ3MpowON-vgyKUuM_upxwQeybZ31JQ,26349
14
+ ads/aqua/common/utils.py,sha256=L31Mc40YawJ_BBRN0K5d0d7qhhk2J_2dTfIkDeA5PY8,28350
15
15
  ads/aqua/config/config.py,sha256=i-AIqNyIvdzI60l11XBfH22wMnxj-mkiRienZwCfqHc,744
16
16
  ads/aqua/config/deployment_config_defaults.json,sha256=SoGP0J3BChwhR7L0HHpgLfSxLi0DsDfuLSGwWnrh5Zk,121
17
17
  ads/aqua/config/resource_limit_names.json,sha256=Nsd_Ll5X09Wzhab7alAc2Utg8Bt2BSABK-E6JefUeA0,195
@@ -23,15 +23,15 @@ ads/aqua/evaluation/__init__.py,sha256=Fd7WL7MpQ1FtJjlftMY2KHli5cz1wr5MDu3hGmV89
23
23
  ads/aqua/evaluation/constants.py,sha256=GvcXvPIw-VDKw4a8WNKs36uWdT-f7VJrWSpnnRnthGg,1533
24
24
  ads/aqua/evaluation/entities.py,sha256=an9C33BdsUTAUr-ghVU-08PXJqRQKB_bgjHfVgpSRYg,5699
25
25
  ads/aqua/evaluation/errors.py,sha256=qzR63YEIA8haCh4HcBHFFm7j4g6jWDfGszqrPkXx9zQ,4564
26
- ads/aqua/evaluation/evaluation.py,sha256=gL4gBnn1I7TGeLZ8nAqUEpndS1tZRarTrulmzYS9f50,58689
26
+ ads/aqua/evaluation/evaluation.py,sha256=c1dxREWBbK-MkdmD2y-OQg3Oxq--oLK_qsU3yxFzPnw,59153
27
27
  ads/aqua/extension/__init__.py,sha256=mRArjU6UZpZYVr0qHSSkPteA_CKcCZIczOFaK421m9o,1453
28
28
  ads/aqua/extension/aqua_ws_msg_handler.py,sha256=PcRhBqGpq5aOPP0ibhaKfmkA8ajimldsvJC32o9JeTw,3291
29
29
  ads/aqua/extension/base_handler.py,sha256=MuVxsJG66NdatL-Hh99UD3VQOQw1ir-q2YBajwh9cJk,5132
30
30
  ads/aqua/extension/common_handler.py,sha256=UtfXsLmxUAG9J6nFmaGgWPJ_pwvUnz2UoGuG-z3AQXU,2106
31
31
  ads/aqua/extension/deployment_handler.py,sha256=NUZsTik-1-m2ChXOxvBNq-06CMLNQtHnD07tCTIFqjY,9228
32
32
  ads/aqua/extension/errors.py,sha256=Bae_yX15c4F-gjBwwC2O0CksRos6y1o3MSNtMnPzywE,401
33
- ads/aqua/extension/evaluation_handler.py,sha256=7xtQDPvup71MrkxSN56iNQTzWy2xFeZ9-050V8lmBX8,4588
34
- ads/aqua/extension/evaluation_ws_msg_handler.py,sha256=FRUkeMHVWwUUEFl3fEeP8cOUVJEvkYpKpBGsHEe8rVQ,1417
33
+ ads/aqua/extension/evaluation_handler.py,sha256=Q8l_Mnzp1NOx6N9vXpUWN2kGKdICSRR7dPvm-dNqJBE,4464
34
+ ads/aqua/extension/evaluation_ws_msg_handler.py,sha256=UYC79Y4AyxzsQLJZQGeqwziHg1Bi4Lko9tvTY-JjIKg,1315
35
35
  ads/aqua/extension/finetune_handler.py,sha256=ZCdXoEYzfViZfJsk0solCB6HQkg0skG1jFfqq1zF-vw,3312
36
36
  ads/aqua/extension/model_handler.py,sha256=N-df-4yFtRoUzdI-L_a0FSluStH_VQqOejoOg3hSw-g,3694
37
37
  ads/aqua/extension/ui_handler.py,sha256=IYhtyL4oE8zlxe-kfbvWSmFsayyXaZZZButDdxM3hcA,9850
@@ -45,12 +45,12 @@ ads/aqua/finetuning/entities.py,sha256=ZGFqewDV_YIGgmJqIXjrprSZE0yFZQF_tdbmQlvhT
45
45
  ads/aqua/finetuning/finetuning.py,sha256=5GXya26dmerhwlCxQ4TZJWZh5pr0h-TnkZ6WahJITvY,24497
46
46
  ads/aqua/model/__init__.py,sha256=j2iylvERdANxgrEDp7b_mLcKMz1CF5Go0qgYCiMwdos,278
47
47
  ads/aqua/model/constants.py,sha256=eUVl3FK8SRpfnDc1jNF09CkbWXyxmfTgW6Nqvus8lx0,1476
48
- ads/aqua/model/entities.py,sha256=vJnDKF3wcASSXz121MHLr47v3mGeQlakGqfSa8df0lY,8660
48
+ ads/aqua/model/entities.py,sha256=i_C8LseYExHhcPf8LhonzjfJidTwy5ZHHZVnujhROa8,8671
49
49
  ads/aqua/model/enums.py,sha256=t8GbK2nblIPm3gClR8W31RmbtTuqpoSzoN4W3JfD6AI,1004
50
50
  ads/aqua/model/model.py,sha256=Z-GLtJoOvvx20z6_Jzv9lrS8XNC4AmJkhWlKd8F4UQo,36133
51
51
  ads/aqua/modeldeployment/__init__.py,sha256=RJCfU1yazv3hVWi5rS08QVLTpTwZLnlC8wU8diwFjnM,391
52
- ads/aqua/modeldeployment/constants.py,sha256=I8o0ih2w2PN-hj_gS6-hTKhYTvimVEphG_ShYSZSMKY,586
53
- ads/aqua/modeldeployment/deployment.py,sha256=M58UUUBdeTIU0W5yoDOMOmsQcYKzlYYfdUIUQMr9fOg,26973
52
+ ads/aqua/modeldeployment/constants.py,sha256=lJF77zwxmlECljDYjwFAMprAUR_zctZHmawiP-4alLg,296
53
+ ads/aqua/modeldeployment/deployment.py,sha256=dsXyriQ6S-8bGRTWXfAuXCfqCGw5-maftkSzwZpfos8,26042
54
54
  ads/aqua/modeldeployment/entities.py,sha256=zWRUC8H4O1ISxfhnSFCqk1-l49B8Tzvh_Hg469zyP_k,4818
55
55
  ads/aqua/modeldeployment/inference.py,sha256=JPqzbHJoM-PpIU_Ft9lHudO9_1vFr7OPQ2GHjPoAufU,2142
56
56
  ads/aqua/training/__init__.py,sha256=w2DNWltXtASQgbrHyvKo0gMs5_chZoG-CSDMI4qe7i0,202
@@ -616,35 +616,37 @@ ads/opctl/operator/common/backend_factory.py,sha256=VLQJ4oTA-VKFjMRV7al1oEPgOLEs
616
616
  ads/opctl/operator/common/const.py,sha256=Zrmroh9uAaCrPbNgL2L8qKOdkNQ2-5FaO0qbDivKEAE,832
617
617
  ads/opctl/operator/common/dictionary_merger.py,sha256=nCakCzP3S8e-RnJJXLfdMugPyaMEkOjYgghoX5bv8YQ,4753
618
618
  ads/opctl/operator/common/errors.py,sha256=ljRocG90rO6jb5ryLUiTsaGI05x6mf7TnaV4wHcmbBQ,1510
619
- ads/opctl/operator/common/operator_config.py,sha256=TAx76eYtRnYuaXL24xWhxGTc407UHFh2waCSZvBS4zM,2648
619
+ ads/opctl/operator/common/operator_config.py,sha256=1OEWqNOj7w4vpnSQ9lLxkGDOM4lI06cF2VQd4n_-KSw,2680
620
620
  ads/opctl/operator/common/operator_loader.py,sha256=fpdrqDyOF9h4lsnGOsdDQsZl1xbdRFtqU6haaQJ15Ls,24146
621
621
  ads/opctl/operator/common/operator_schema.yaml,sha256=kIXKI9GCkwGhkby6THJR2zY6YK0waIgPfPxw85I7aG4,3046
622
622
  ads/opctl/operator/common/operator_yaml_generator.py,sha256=hH6wYj7oDYeAsE1grcIF4K1EE_RhguLXltxPbmB65iQ,5108
623
623
  ads/opctl/operator/common/utils.py,sha256=KQMTVimdm2A1igbE4r-u_aT_EQw7DkVQvDNFouYLmME,4971
624
624
  ads/opctl/operator/lowcode/__init__.py,sha256=sAqmLhogrLXb3xI7dPOj9HmSkpTnLh9wkzysuGd8AXk,204
625
625
  ads/opctl/operator/lowcode/anomaly/MLoperator,sha256=sCt75S3welsf3YFu4pTWr7x_S_ssEmI7Se6HBO93kf0,475
626
- ads/opctl/operator/lowcode/anomaly/README.md,sha256=79n5ynuVMuOCebnNvjZVzF_o98GrY7Qzo3Lo5gNyuXQ,10153
626
+ ads/opctl/operator/lowcode/anomaly/README.md,sha256=E3vpyc5iKvIq8iuvGj8ZvLq3i_Q5q7n78KfTKHFfb2s,10123
627
627
  ads/opctl/operator/lowcode/anomaly/__init__.py,sha256=sAqmLhogrLXb3xI7dPOj9HmSkpTnLh9wkzysuGd8AXk,204
628
- ads/opctl/operator/lowcode/anomaly/__main__.py,sha256=3YpiR5PT9fPEIvtyQhp79dnxZ84Q3dwQhOPHCs81lNw,3372
628
+ ads/opctl/operator/lowcode/anomaly/__main__.py,sha256=q7TSFpSmLSAXlwjWNMi_M5y9ndF86RPd7KJ_kanltjM,3328
629
629
  ads/opctl/operator/lowcode/anomaly/cmd.py,sha256=e6ATBJcPXEdZ85hlSb7aWselA-8LlvtpI0AuO4Yw6Iw,1002
630
- ads/opctl/operator/lowcode/anomaly/const.py,sha256=HpgW5buux97on-J5q1WUUcLCAQ-PurAX8b6DiDCHN0g,2611
630
+ ads/opctl/operator/lowcode/anomaly/const.py,sha256=DXMNIFEIv1-D9jbv0G_9VZSIQugmiRmg1SzzWgjJOB4,2863
631
631
  ads/opctl/operator/lowcode/anomaly/environment.yaml,sha256=J6KiIHOb5a2AcgZm1sisMgbjABlizyYRUq_aYZBk228,156
632
632
  ads/opctl/operator/lowcode/anomaly/operator_config.py,sha256=97tveaJ0rm43CEqdVvwNePVmNkjwdFvXjHrJnIxgSWY,4289
633
- ads/opctl/operator/lowcode/anomaly/schema.yaml,sha256=uoiDYbWaDs2MZpXLYUCzAeEfIbIcRyg8ncNWo0WH1Mw,8723
634
- ads/opctl/operator/lowcode/anomaly/utils.py,sha256=v1negu6LziatVRIbY0pkl7VwjxT3ONMJpSZLlEI0GKw,2657
633
+ ads/opctl/operator/lowcode/anomaly/schema.yaml,sha256=-oUlulnpsady0FHtwgJLwxoDSzU8v5QCCJOYeUAic1A,9104
634
+ ads/opctl/operator/lowcode/anomaly/utils.py,sha256=Uj98FO5oM-sLjoqsOnoBmgSMF7iJiL0XX-gvphw9yiU,2746
635
635
  ads/opctl/operator/lowcode/anomaly/model/__init__.py,sha256=sAqmLhogrLXb3xI7dPOj9HmSkpTnLh9wkzysuGd8AXk,204
636
- ads/opctl/operator/lowcode/anomaly/model/anomaly_dataset.py,sha256=P28uwlr3ZsGPiZ4pz8d3HRm4pCqx3qhmxsNW6tbBrEI,5114
636
+ ads/opctl/operator/lowcode/anomaly/model/anomaly_dataset.py,sha256=zpRRAtbjRgX9HPJb_7-eZ96c1AGQgDjjs-CsLTvYtuY,5402
637
637
  ads/opctl/operator/lowcode/anomaly/model/automlx.py,sha256=Zn4ySrGfLbaKW0KIduwdnY0-YK8XAprCcMhElA4g-Vc,3401
638
638
  ads/opctl/operator/lowcode/anomaly/model/autots.py,sha256=WlA39DA3GeQfW5HYiBLCArVQBXGzIVQH3D09cZYGjtg,3689
639
- ads/opctl/operator/lowcode/anomaly/model/base_model.py,sha256=iflNzvWedBVUSRCjvlTCWh-WaQHFeOpUZ5MzN812ooI,13402
640
- ads/opctl/operator/lowcode/anomaly/model/factory.py,sha256=Z4fRpX69ONuD_N9R1JPT5e-5mtVqLd1Do4neW-qoVRM,2121
639
+ ads/opctl/operator/lowcode/anomaly/model/base_model.py,sha256=0MfwTb4CwWn7J_m_BgIj0XaOvovyKWj5vwf96SlSIY8,13703
640
+ ads/opctl/operator/lowcode/anomaly/model/factory.py,sha256=fgtWEkkMIlfThNvXvccRfLXmWmJ_kKuOLNVm0uhKeRA,3126
641
+ ads/opctl/operator/lowcode/anomaly/model/isolationforest.py,sha256=Kjsuio7cM-dKv63p58B9Jj0XPly6Z0hqfghs5nnXepA,2671
642
+ ads/opctl/operator/lowcode/anomaly/model/oneclasssvm.py,sha256=eQpNyax1hnufLHhL8Rbzee28comD2fF7TLn3TpzMrs8,2583
641
643
  ads/opctl/operator/lowcode/anomaly/model/tods.py,sha256=_v0KkdTKD3nqzOu3P5tE7bSV63Jy91h6Hr88Eequ0RU,4175
642
644
  ads/opctl/operator/lowcode/common/__init__.py,sha256=rZrmh1nho40OCeabXCNWtze-mXi-PGKetcZdxZSn3_0,204
643
645
  ads/opctl/operator/lowcode/common/const.py,sha256=1dUhgup4L_U0s6BSYmgLPpZAe6xqfSHPPoLqW0j46U8,265
644
- ads/opctl/operator/lowcode/common/data.py,sha256=BSo2TC9rWNiY7WqG7a9zB1USZNKL_s6ILwYdFySiKvo,4078
646
+ ads/opctl/operator/lowcode/common/data.py,sha256=L96XltNUllEYn8VOGVnJ3CrqBn_MRMRJCvU0npiBHnc,4149
645
647
  ads/opctl/operator/lowcode/common/errors.py,sha256=4pHYq2v66BPUFvDK1V9rLIXB8u-jUlgqswtP787CdWs,1389
646
- ads/opctl/operator/lowcode/common/transformations.py,sha256=yEnwZupI4noK0jRDW6VcHiv-1Zv7lbnUJ96YF7pOK4M,8820
647
- ads/opctl/operator/lowcode/common/utils.py,sha256=u8ezqw-fR66qaNJQalYeBMFDaoHidqDiPX4SNUj6siA,7890
648
+ ads/opctl/operator/lowcode/common/transformations.py,sha256=Minukbv9Ja1yNJYgTQICU9kykIdbBELhrFFyWECgtes,9630
649
+ ads/opctl/operator/lowcode/common/utils.py,sha256=jQIyjtg4i4hfrhBIGhSOzkry2-ziZrn8cBj8lcTv66E,9292
648
650
  ads/opctl/operator/lowcode/feature_store_marketplace/MLoperator,sha256=JO5ulr32WsFnbpk1KN97h8-D70jcFt1kRQ08UMkP4rU,346
649
651
  ads/opctl/operator/lowcode/feature_store_marketplace/README.md,sha256=fN9ROzOPdEZdRgSP_uYvAmD5bD983NC7Irfe_D-mvrw,1356
650
652
  ads/opctl/operator/lowcode/feature_store_marketplace/__init__.py,sha256=rZrmh1nho40OCeabXCNWtze-mXi-PGKetcZdxZSn3_0,204
@@ -667,9 +669,9 @@ ads/opctl/operator/lowcode/forecast/cmd.py,sha256=Q-R3yfK7aPfE4-0zIqzLFSjnz1tVMx
667
669
  ads/opctl/operator/lowcode/forecast/const.py,sha256=K1skrAliy2xceSDmzDfsNTeDMl11rsFhHQXaRitBOYs,2616
668
670
  ads/opctl/operator/lowcode/forecast/environment.yaml,sha256=eVMf9pcjADI14_GRGdZOB_gK5_MyG_-cX037TXqzFho,330
669
671
  ads/opctl/operator/lowcode/forecast/errors.py,sha256=X9zuV2Lqb5N9FuBHHshOFYyhvng5r9KGLHnQijZ5b8c,911
670
- ads/opctl/operator/lowcode/forecast/model_evaluator.py,sha256=raDGCfhvsEDEy8rX0j8ln3bYRETFKyuJOjo77ZG7tGs,8216
672
+ ads/opctl/operator/lowcode/forecast/model_evaluator.py,sha256=mN7dI5dcPgVJ9JuZqzlGXWI-DW9O-tmD3JZrucOED8k,8305
671
673
  ads/opctl/operator/lowcode/forecast/operator_config.py,sha256=XskXuOWtZZb6_EcR_t6XAEdr6jt1wT30oBcWt-8zeWA,6396
672
- ads/opctl/operator/lowcode/forecast/schema.yaml,sha256=gr9IVyFfXIN1gd7yXQoBnGtB96_qDu_JmyRZHMACaq4,9915
674
+ ads/opctl/operator/lowcode/forecast/schema.yaml,sha256=Y5j5qZQukjytZwXr2Gj0Fb9KeFjQbdzUNuAnUcH6k0Q,10137
673
675
  ads/opctl/operator/lowcode/forecast/utils.py,sha256=oc6eBH9naYg4BB14KS2HL0uFdZHMgKsxx9vG28dJrXA,14347
674
676
  ads/opctl/operator/lowcode/forecast/model/__init__.py,sha256=sAqmLhogrLXb3xI7dPOj9HmSkpTnLh9wkzysuGd8AXk,204
675
677
  ads/opctl/operator/lowcode/forecast/model/arima.py,sha256=sFjIMSBRqc2ePK24VX5sgNqqoRhiIOPgmH3STsYOQWU,10658
@@ -678,7 +680,7 @@ ads/opctl/operator/lowcode/forecast/model/autots.py,sha256=EruAl4BFEOPGT0iM0bnCb
678
680
  ads/opctl/operator/lowcode/forecast/model/base_model.py,sha256=yCQ89FNfvbpltTq-znVQbM3cxzrC09cIx3tzGzezKiI,30319
679
681
  ads/opctl/operator/lowcode/forecast/model/factory.py,sha256=GPwbZCe65-HZBUcg05_xaL1VPX8R1022E5W-NGJOohA,3487
680
682
  ads/opctl/operator/lowcode/forecast/model/forecast_datasets.py,sha256=d9rDmrIAbKTStOVroIKZkTEP1FP2AP0dq9XDEWt6w2c,16968
681
- ads/opctl/operator/lowcode/forecast/model/ml_forecast.py,sha256=I-O-PypowCIHcjL_F73NULMhlN_dus3UZKhvDfVRA68,9207
683
+ ads/opctl/operator/lowcode/forecast/model/ml_forecast.py,sha256=W2EgOrI-GswygxeDRlICbdeEkIQArEsHHKZlQy2ZnTA,9106
682
684
  ads/opctl/operator/lowcode/forecast/model/neuralprophet.py,sha256=SSJPFnrDqoWYIm96c48UQ5WHvEa72a6G4bLNqv8R2tQ,19198
683
685
  ads/opctl/operator/lowcode/forecast/model/prophet.py,sha256=3OEy8YSbuJd3ayhPNt93LBVffgdpuaQZh5nuChze1cQ,14453
684
686
  ads/opctl/operator/lowcode/pii/MLoperator,sha256=GKCuiXRwfGLyBqELbtgtg-kJPtNWNVA-kSprYTqhF64,6406
@@ -703,6 +705,20 @@ ads/opctl/operator/lowcode/pii/model/processor/mbi_replacer.py,sha256=nm4dRZjFwx
703
705
  ads/opctl/operator/lowcode/pii/model/processor/name_replacer.py,sha256=hxlzfi4RARuaz3yQokTE_29WKkm2_NxSoS2lhtzWmag,8681
704
706
  ads/opctl/operator/lowcode/pii/model/processor/number_replacer.py,sha256=uHnCkKreCBojkYyo7MW4qnHUUu6Do85PLvPEv0ByJNY,2327
705
707
  ads/opctl/operator/lowcode/pii/model/processor/remover.py,sha256=dJUYTXF_jbT0v02uMAm1iPQyOrXkarcATbtekQ_zHoc,766
708
+ ads/opctl/operator/lowcode/recommender/MLoperator,sha256=algNOy32GRzfegWGgBA5ra5w-eH46plxtjS6apyQ6Yc,659
709
+ ads/opctl/operator/lowcode/recommender/README.md,sha256=hRL48yBPu-zyCZ9Ci4Z6a6c1nHuXSjlyuJQifCBL5I4,10269
710
+ ads/opctl/operator/lowcode/recommender/__init__.py,sha256=sAqmLhogrLXb3xI7dPOj9HmSkpTnLh9wkzysuGd8AXk,204
711
+ ads/opctl/operator/lowcode/recommender/__main__.py,sha256=dTki6Pol29iH4B8-fhxXZwhVpTLe_x7P-RwjImUMeRk,2533
712
+ ads/opctl/operator/lowcode/recommender/cmd.py,sha256=t3qmr5aKux8RVihtSuSqlqHpHih7ohKDLpViX5bpvP8,891
713
+ ads/opctl/operator/lowcode/recommender/constant.py,sha256=DQxsy5i_UdMpYwv9xgwDtjfWYW6N-ihIZ8nwkExjQWE,737
714
+ ads/opctl/operator/lowcode/recommender/environment.yaml,sha256=m3jYkrFpkQfL1dpiAGWxGSeiraSpevW0mb898DBNgYw,178
715
+ ads/opctl/operator/lowcode/recommender/operator_config.py,sha256=HE30TuiXbVrC6Uy7G2mw4KU_xRSjzgTQHlMNumQauqE,2920
716
+ ads/opctl/operator/lowcode/recommender/schema.yaml,sha256=OvaQRc56sOO-NNrF2hYU7JEsD-fNkr2LJwP7Nzj_bo8,6029
717
+ ads/opctl/operator/lowcode/recommender/utils.py,sha256=-DgqObJ3G54wZw04aLvA9zwI_NUqwgQ7jaPHQP_6Q9g,401
718
+ ads/opctl/operator/lowcode/recommender/model/base_model.py,sha256=Ra8bwA6u-B8hztdJFH_PGDrjKb8uWJouQrUpFsj4pmk,7292
719
+ ads/opctl/operator/lowcode/recommender/model/factory.py,sha256=CHCXR3-6HRSKJG3tCjdgBvUODtQ9C2zU0Nq-0zVb6p8,1798
720
+ ads/opctl/operator/lowcode/recommender/model/recommender_dataset.py,sha256=QzcfA4Dzp412NCiNhFrJY2Rqbzlmneb1SAb98m_L_ms,870
721
+ ads/opctl/operator/lowcode/recommender/model/svd.py,sha256=1zznofQRTNIZjQlGPIJYJLKf3FV6zbZSm7Q_EsN8wCE,4051
706
722
  ads/opctl/operator/runtime/__init__.py,sha256=sAqmLhogrLXb3xI7dPOj9HmSkpTnLh9wkzysuGd8AXk,204
707
723
  ads/opctl/operator/runtime/const.py,sha256=FSgllXcXKIRCbYSJiVAP8gZGpH7hGrEf3enYmUBrAIk,522
708
724
  ads/opctl/operator/runtime/container_runtime_schema.yaml,sha256=FU8Jjq1doq1eYW8b5YjlfSmWKnBN-lAuEk289_P9QFU,1235
@@ -784,8 +800,8 @@ ads/type_discovery/unknown_detector.py,sha256=yZuYQReO7PUyoWZE7onhhtYaOg6088wf1y
784
800
  ads/type_discovery/zipcode_detector.py,sha256=3AlETg_ZF4FT0u914WXvTT3F3Z6Vf51WiIt34yQMRbw,1421
785
801
  ads/vault/__init__.py,sha256=x9tMdDAOdF5iDHk9u2di_K-ze5Nq068x25EWOBoWwqY,245
786
802
  ads/vault/vault.py,sha256=hFBkpYE-Hfmzu1L0sQwUfYcGxpWmgG18JPndRl0NOXI,8624
787
- oracle_ads-2.11.14.dist-info/entry_points.txt,sha256=9VFnjpQCsMORA4rVkvN8eH6D3uHjtegb9T911t8cqV0,35
788
- oracle_ads-2.11.14.dist-info/LICENSE.txt,sha256=zoGmbfD1IdRKx834U0IzfFFFo5KoFK71TND3K9xqYqo,1845
789
- oracle_ads-2.11.14.dist-info/WHEEL,sha256=EZbGkh7Ie4PoZfRQ8I0ZuP9VklN_TvcZ6DSE5Uar4z4,81
790
- oracle_ads-2.11.14.dist-info/METADATA,sha256=VS5pSQS-pL21nnWdUGVWliq6Mvpn5Ir7wbkN0i1DGx8,15586
791
- oracle_ads-2.11.14.dist-info/RECORD,,
803
+ oracle_ads-2.11.15.dist-info/entry_points.txt,sha256=9VFnjpQCsMORA4rVkvN8eH6D3uHjtegb9T911t8cqV0,35
804
+ oracle_ads-2.11.15.dist-info/LICENSE.txt,sha256=zoGmbfD1IdRKx834U0IzfFFFo5KoFK71TND3K9xqYqo,1845
805
+ oracle_ads-2.11.15.dist-info/WHEEL,sha256=EZbGkh7Ie4PoZfRQ8I0ZuP9VklN_TvcZ6DSE5Uar4z4,81
806
+ oracle_ads-2.11.15.dist-info/METADATA,sha256=nDxCy6uG6OfwP5ptsmhKwmzvEhhtaXtibOxj9-rEiw8,15837
807
+ oracle_ads-2.11.15.dist-info/RECORD,,