oracle-ads 2.11.12__py3-none-any.whl → 2.11.14__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.
ads/common/oci_logging.py CHANGED
@@ -614,13 +614,14 @@ class OCILog(OCILoggingModelMixin, oci.logging.models.Log):
614
614
  A list of log records.
615
615
  Each log record is a dictionary with the following keys: `id`, `time`, `message`.
616
616
  """
617
- return self._search_and_format(
617
+ tail_logs = self._search_and_format(
618
618
  source=source,
619
619
  limit=limit,
620
- sort_order=SortOrder.ASC,
620
+ sort_order=SortOrder.DESC,
621
621
  time_start=time_start,
622
622
  log_filter=log_filter,
623
623
  )
624
+ return sorted(tail_logs, key=lambda log: log["time"])
624
625
 
625
626
  def head(
626
627
  self,
@@ -854,14 +855,15 @@ class ConsolidatedLog:
854
855
  Expression for filtering the logs. This will be the WHERE clause of the query.
855
856
  Defaults to None.
856
857
  """
858
+ tail_logs = self._search_and_format(
859
+ source=source,
860
+ limit=limit,
861
+ sort_order=SortOrder.DESC,
862
+ time_start=time_start,
863
+ log_filter=log_filter,
864
+ )
857
865
  self._print(
858
- self._search_and_format(
859
- source=source,
860
- limit=limit,
861
- sort_order=SortOrder.ASC,
862
- time_start=time_start,
863
- log_filter=log_filter,
864
- )
866
+ sorted(tail_logs, key=lambda log: log["time"])
865
867
  )
866
868
 
867
869
  def head(
@@ -8,6 +8,7 @@ from typing import Any, Dict, List, Optional
8
8
  from langchain.llms.base import LLM
9
9
  from langchain.pydantic_v1 import BaseModel, Field, root_validator
10
10
 
11
+ from ads import logger
11
12
  from ads.common.auth import default_signer
12
13
  from ads.config import COMPARTMENT_OCID
13
14
 
@@ -95,6 +96,11 @@ class GenerativeAiClientModel(BaseModel):
95
96
  """Validate that python package exists in environment."""
96
97
  # Initialize client only if user does not pass in client.
97
98
  # Users may choose to initialize the OCI client by themselves and pass it into this model.
99
+ logger.warning(
100
+ f"The ads langchain plugin {cls.__name__} will be deprecated soon. "
101
+ "Please refer to https://python.langchain.com/v0.2/docs/integrations/providers/oci/ "
102
+ "for the latest support."
103
+ )
98
104
  if not values.get("client"):
99
105
  auth = values.get("auth", {})
100
106
  client_kwargs = auth.get("client_kwargs") or {}
@@ -41,6 +41,7 @@ from ads.model.service.oci_datascience_model import (
41
41
  ModelProvenanceNotFoundError,
42
42
  OCIDataScienceModel,
43
43
  )
44
+ from ads.common import oci_client as oc
44
45
 
45
46
  logger = logging.getLogger(__name__)
46
47
 
@@ -1466,3 +1467,226 @@ class DataScienceModel(Builder):
1466
1467
  bucket_uri.append(uri)
1467
1468
 
1468
1469
  return bucket_uri[0] if len(bucket_uri) == 1 else bucket_uri, artifact_size
1470
+
1471
+ def add_artifact(
1472
+ self,
1473
+ uri: Optional[str] = None,
1474
+ namespace: Optional[str] = None,
1475
+ bucket: Optional[str] = None,
1476
+ prefix: Optional[str] = None,
1477
+ files: Optional[List[str]] = None,
1478
+ ):
1479
+ """
1480
+ Adds information about objects in a specified bucket to the model description JSON.
1481
+
1482
+ Parameters
1483
+ ----------
1484
+ uri : str, optional
1485
+ The URI representing the location of the artifact in OCI object storage.
1486
+ namespace : str, optional
1487
+ The namespace of the bucket containing the objects. Required if `uri` is not provided.
1488
+ bucket : str, optional
1489
+ The name of the bucket containing the objects. Required if `uri` is not provided.
1490
+ prefix : str, optional
1491
+ The prefix of the objects to add. Defaults to None. Cannot be provided if `files` is provided.
1492
+ files : list of str, optional
1493
+ A list of file names to include in the model description. If provided, only objects with matching file names will be included. Cannot be provided if `prefix` is provided.
1494
+
1495
+ Returns
1496
+ -------
1497
+ None
1498
+
1499
+ Raises
1500
+ ------
1501
+ ValueError
1502
+ - If both `uri` and (`namespace` and `bucket`) are provided.
1503
+ - If neither `uri` nor both `namespace` and `bucket` are provided.
1504
+ - If both `prefix` and `files` are provided.
1505
+ - If no files are found to add to the model description.
1506
+
1507
+ Note
1508
+ ----
1509
+ - If `files` is not provided, it retrieves information about all objects in the bucket.
1510
+ - If `files` is provided, it only retrieves information about objects with matching file names.
1511
+ - If no objects are found to add to the model description, a ValueError is raised.
1512
+ """
1513
+
1514
+ if uri and (namespace or bucket):
1515
+ raise ValueError(
1516
+ "Either 'uri' must be provided or both 'namespace' and 'bucket' must be provided."
1517
+ )
1518
+ if uri:
1519
+ object_storage_details = ObjectStorageDetails.from_path(uri)
1520
+ bucket = object_storage_details.bucket
1521
+ namespace = object_storage_details.namespace
1522
+ prefix = (
1523
+ None
1524
+ if object_storage_details.filepath == ""
1525
+ else object_storage_details.filepath
1526
+ )
1527
+ if (not namespace) or (not bucket):
1528
+ raise ValueError("Both 'namespace' and 'bucket' must be provided.")
1529
+
1530
+ # Check if both prefix and files are provided
1531
+ if prefix is not None and files is not None:
1532
+ raise ValueError(
1533
+ "Both 'prefix' and 'files' cannot be provided. Please provide only one."
1534
+ )
1535
+
1536
+ if self.model_file_description == None:
1537
+ self.empty_json = {
1538
+ "version": "1.0",
1539
+ "type": "modelOSSReferenceDescription",
1540
+ "models": [],
1541
+ }
1542
+ self.set_spec(self.CONST_MODEL_FILE_DESCRIPTION, self.empty_json)
1543
+
1544
+ # Get object storage client
1545
+ self.object_storage_client = oc.OCIClientFactory(
1546
+ **(self.dsc_model.auth)
1547
+ ).object_storage
1548
+
1549
+ # Remove if the model already exists
1550
+ self.remove_artifact(namespace=namespace, bucket=bucket, prefix=prefix)
1551
+
1552
+ def check_if_file_exists(fileName):
1553
+ isExists = False
1554
+ try:
1555
+ headResponse = self.object_storage_client.head_object(
1556
+ namespace, bucket, object_name=fileName
1557
+ )
1558
+ if headResponse.status == 200:
1559
+ isExists = True
1560
+ except Exception as e:
1561
+ if hasattr(e, "status") and e.status == 404:
1562
+ logger.error(f"File not found in bucket: {fileName}")
1563
+ else:
1564
+ logger.error(f"An error occured: {e}")
1565
+ return isExists
1566
+
1567
+ # Function to un-paginate the api call with while loop
1568
+ def list_obj_versions_unpaginated():
1569
+ objectStorageList = []
1570
+ has_next_page, opc_next_page = True, None
1571
+ while has_next_page:
1572
+ response = self.object_storage_client.list_object_versions(
1573
+ namespace_name=namespace,
1574
+ bucket_name=bucket,
1575
+ prefix=prefix,
1576
+ fields="name,size",
1577
+ page=opc_next_page,
1578
+ )
1579
+ objectStorageList.extend(response.data.items)
1580
+ has_next_page = response.has_next_page
1581
+ opc_next_page = response.next_page
1582
+ return objectStorageList
1583
+
1584
+ # Fetch object details and put it into the objects variable
1585
+ objectStorageList = []
1586
+ if files == None:
1587
+ objectStorageList = list_obj_versions_unpaginated()
1588
+ else:
1589
+ for fileName in files:
1590
+ if check_if_file_exists(fileName=fileName):
1591
+ objectStorageList.append(
1592
+ self.object_storage_client.list_object_versions(
1593
+ namespace_name=namespace,
1594
+ bucket_name=bucket,
1595
+ prefix=fileName,
1596
+ fields="name,size",
1597
+ ).data.items[0]
1598
+ )
1599
+
1600
+ objects = [
1601
+ {"name": obj.name, "version": obj.version_id, "sizeInBytes": obj.size}
1602
+ for obj in objectStorageList
1603
+ if obj.size > 0
1604
+ ]
1605
+
1606
+ if len(objects) == 0:
1607
+ error_message = (
1608
+ f"No files to add in the bucket: {bucket} with namespace: {namespace} "
1609
+ f"and prefix: {prefix}. File names: {files}"
1610
+ )
1611
+ logger.error(error_message)
1612
+ raise ValueError(error_message)
1613
+
1614
+ tmp_model_file_description = self.model_file_description
1615
+ tmp_model_file_description["models"].append(
1616
+ {
1617
+ "namespace": namespace,
1618
+ "bucketName": bucket,
1619
+ "prefix": "" if not prefix else prefix,
1620
+ "objects": objects,
1621
+ }
1622
+ )
1623
+ self.set_spec(self.CONST_MODEL_FILE_DESCRIPTION, tmp_model_file_description)
1624
+
1625
+ def remove_artifact(
1626
+ self,
1627
+ uri: Optional[str] = None,
1628
+ namespace: Optional[str] = None,
1629
+ bucket: Optional[str] = None,
1630
+ prefix: Optional[str] = None,
1631
+ ):
1632
+ """
1633
+ Removes information about objects in a specified bucket or using a specified URI from the model description JSON.
1634
+
1635
+ Parameters
1636
+ ----------
1637
+ uri : str, optional
1638
+ The URI representing the location of the artifact in OCI object storage.
1639
+ namespace : str, optional
1640
+ The namespace of the bucket containing the objects. Required if `uri` is not provided.
1641
+ bucket : str, optional
1642
+ The name of the bucket containing the objects. Required if `uri` is not provided.
1643
+ prefix : str, optional
1644
+ The prefix of the objects to remove. Defaults to None.
1645
+
1646
+ Returns
1647
+ -------
1648
+ None
1649
+
1650
+ Raises
1651
+ ------
1652
+ ValueError
1653
+ - If both 'uri' and ('namespace' and 'bucket') are provided.
1654
+ - If neither 'uri' nor both 'namespace' and 'bucket' are provided.
1655
+ - If the model description JSON is None.
1656
+ """
1657
+
1658
+ if uri and (namespace or bucket):
1659
+ raise ValueError(
1660
+ "Either 'uri' must be provided or both 'namespace' and 'bucket' must be provided."
1661
+ )
1662
+ if uri:
1663
+ object_storage_details = ObjectStorageDetails.from_path(uri)
1664
+ bucket = object_storage_details.bucket
1665
+ namespace = object_storage_details.namespace
1666
+ prefix = (
1667
+ None
1668
+ if object_storage_details.filepath == ""
1669
+ else object_storage_details.filepath
1670
+ )
1671
+ if (not namespace) or (not bucket):
1672
+ raise ValueError("Both 'namespace' and 'bucket' must be provided.")
1673
+
1674
+ def findModelIdx():
1675
+ for idx, model in enumerate(self.model_file_description["models"]):
1676
+ if (
1677
+ model["namespace"],
1678
+ model["bucketName"],
1679
+ (model["prefix"] if ("prefix" in model) else None),
1680
+ ) == (namespace, bucket, "" if not prefix else prefix):
1681
+ return idx
1682
+ return -1
1683
+
1684
+ if self.model_file_description == None:
1685
+ return
1686
+
1687
+ modelSearchIdx = findModelIdx()
1688
+ if modelSearchIdx == -1:
1689
+ return
1690
+ else:
1691
+ # model found case
1692
+ self.model_file_description["models"].pop(modelSearchIdx)
@@ -1,6 +1,6 @@
1
1
  Metadata-Version: 2.1
2
2
  Name: oracle_ads
3
- Version: 2.11.12
3
+ Version: 2.11.14
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
@@ -13,6 +13,7 @@ Classifier: Operating System :: OS Independent
13
13
  Classifier: Programming Language :: Python :: 3.8
14
14
  Classifier: Programming Language :: Python :: 3.9
15
15
  Classifier: Programming Language :: Python :: 3.10
16
+ Classifier: Programming Language :: Python :: 3.11
16
17
  Requires-Dist: PyYAML>=6
17
18
  Requires-Dist: asteval>=0.9.25
18
19
  Requires-Dist: cerberus>=1.3.4
@@ -20,8 +21,8 @@ Requires-Dist: cloudpickle>=1.6.0
20
21
  Requires-Dist: fsspec>=0.8.7
21
22
  Requires-Dist: gitpython>=3.1.2
22
23
  Requires-Dist: jinja2>=2.11.2
23
- Requires-Dist: matplotlib>=3.1.3, <=3.8.4
24
- Requires-Dist: numpy>=1.19.2
24
+ Requires-Dist: matplotlib>=3.1.3,<=3.8.4
25
+ Requires-Dist: numpy>=1.19.2,<2.0.0
25
26
  Requires-Dist: oci>=2.125.3
26
27
  Requires-Dist: ocifs>=1.1.3
27
28
  Requires-Dist: pandas>1.2.1; python_version<'3.9'
@@ -40,7 +41,7 @@ Requires-Dist: jupyter_server ; extra == "aqua"
40
41
  Requires-Dist: hdfs[kerberos] ; extra == "bds"
41
42
  Requires-Dist: ibis-framework[impala] ; extra == "bds"
42
43
  Requires-Dist: sqlalchemy ; extra == "bds"
43
- Requires-Dist: lightgbm<4.0.0 ; extra == "boosted"
44
+ Requires-Dist: lightgbm ; extra == "boosted"
44
45
  Requires-Dist: xgboost ; extra == "boosted"
45
46
  Requires-Dist: datefinder>=0.7.1 ; extra == "data"
46
47
  Requires-Dist: fastavro>=0.24.2 ; extra == "data"
@@ -48,7 +49,7 @@ Requires-Dist: htmllistparse>=0.6.0 ; extra == "data"
48
49
  Requires-Dist: openpyxl>=3.0.7 ; extra == "data"
49
50
  Requires-Dist: oracledb>=1.0 ; extra == "data"
50
51
  Requires-Dist: pandavro>=1.6.0 ; extra == "data"
51
- Requires-Dist: sqlalchemy>=1.4.1, <=1.4.46 ; extra == "data"
52
+ Requires-Dist: sqlalchemy>=1.4.1,<=1.4.46 ; extra == "data"
52
53
  Requires-Dist: oracle-ads[opctl] ; extra == "feature-store-marketplace"
53
54
  Requires-Dist: kubernetes ; extra == "feature-store-marketplace"
54
55
  Requires-Dist: conda-pack ; extra == "forecast"
@@ -61,7 +62,7 @@ Requires-Dist: rich ; extra == "forecast"
61
62
  Requires-Dist: autots[additional] ; extra == "forecast"
62
63
  Requires-Dist: mlforecast ; extra == "forecast"
63
64
  Requires-Dist: neuralprophet>=0.7.0 ; extra == "forecast"
64
- Requires-Dist: numpy ; extra == "forecast"
65
+ Requires-Dist: numpy<2.0.0 ; extra == "forecast"
65
66
  Requires-Dist: oci-cli ; extra == "forecast"
66
67
  Requires-Dist: optuna ; extra == "forecast"
67
68
  Requires-Dist: oracle-ads ; extra == "forecast"
@@ -73,21 +74,21 @@ Requires-Dist: statsmodels ; extra == "forecast"
73
74
  Requires-Dist: plotly ; extra == "forecast"
74
75
  Requires-Dist: oracledb ; extra == "forecast"
75
76
  Requires-Dist: report-creator==1.0.9 ; extra == "forecast"
76
- Requires-Dist: geopandas ; extra == "geo"
77
+ Requires-Dist: geopandas<1.0.0 ; extra == "geo"
77
78
  Requires-Dist: oracle_ads[viz] ; extra == "geo"
78
79
  Requires-Dist: transformers ; extra == "huggingface"
80
+ Requires-Dist: tf-keras ; extra == "huggingface"
79
81
  Requires-Dist: langchain-community<0.0.32 ; extra == "llm"
80
82
  Requires-Dist: langchain>=0.1.10,<0.1.14 ; extra == "llm"
81
83
  Requires-Dist: evaluate>=0.4.0 ; extra == "llm"
82
- Requires-Dist: langchain-core<0.1.51 ; extra == "llm"
83
84
  Requires-Dist: ipython>=7.23.1, <8.0 ; extra == "notebook"
84
85
  Requires-Dist: ipywidgets~=7.6.3 ; extra == "notebook"
85
- Requires-Dist: lightgbm<4.0.0 ; extra == "onnx"
86
- Requires-Dist: onnx>=1.12.0 ; extra == "onnx"
86
+ Requires-Dist: lightgbm ; extra == "onnx"
87
+ Requires-Dist: onnx>=1.12.0,<=1.15.0 ; extra == "onnx"
87
88
  Requires-Dist: onnxmltools>=1.10.0 ; extra == "onnx"
88
- Requires-Dist: onnxruntime>=1.10.0,<1.16 ; extra == "onnx"
89
+ Requires-Dist: onnxruntime~=1.17.0,!=1.16.0 ; extra == "onnx"
89
90
  Requires-Dist: oracle_ads[viz] ; extra == "onnx"
90
- Requires-Dist: protobuf<=3.20 ; extra == "onnx"
91
+ Requires-Dist: protobuf ; extra == "onnx"
91
92
  Requires-Dist: skl2onnx>=1.10.4 ; extra == "onnx"
92
93
  Requires-Dist: tf2onnx ; extra == "onnx"
93
94
  Requires-Dist: xgboost<=1.7 ; extra == "onnx"
@@ -115,14 +116,10 @@ Requires-Dist: spacy==3.6.1 ; extra == "pii"
115
116
  Requires-Dist: report-creator==1.0.9 ; extra == "pii"
116
117
  Requires-Dist: pyspark>=3.0.0 ; extra == "spark"
117
118
  Requires-Dist: oracle_ads[viz] ; extra == "tensorflow"
118
- Requires-Dist: tensorflow ; extra == "tensorflow"
119
- Requires-Dist: dask==2023.5.0 ; extra == "testsuite" and ( python_version=='3.8')
120
- Requires-Dist: dask==2023.10.1 ; extra == "testsuite" and ( python_version>='3.9')
119
+ Requires-Dist: tensorflow<=2.15.1 ; extra == "tensorflow"
121
120
  Requires-Dist: arff ; extra == "testsuite"
122
121
  Requires-Dist: category_encoders==2.6.3 ; extra == "testsuite"
123
122
  Requires-Dist: cohere==4.53 ; extra == "testsuite"
124
- Requires-Dist: dask==2023.10.1 ; extra == "testsuite" and ( python_version>='3.9')
125
- Requires-Dist: dask==2023.5.0 ; extra == "testsuite" and ( python_version=='3.8')
126
123
  Requires-Dist: faiss-cpu ; extra == "testsuite"
127
124
  Requires-Dist: fastparquet==2024.2.0 ; extra == "testsuite"
128
125
  Requires-Dist: imbalanced-learn ; extra == "testsuite"
@@ -133,17 +130,18 @@ Requires-Dist: notebook==6.4.12 ; extra == "testsuite"
133
130
  Requires-Dist: opensearch-py ; extra == "testsuite"
134
131
  Requires-Dist: pdfplumber ; extra == "testsuite"
135
132
  Requires-Dist: py4j ; extra == "testsuite"
136
- Requires-Dist: pyarrow ; extra == "testsuite"
133
+ Requires-Dist: pyarrow>=15.0.0 ; extra == "testsuite"
137
134
  Requires-Dist: statsmodels ; extra == "testsuite" and ( python_version=='3.8')
138
135
  Requires-Dist: statsmodels>=0.14.1 ; extra == "testsuite" and ( python_version>='3.9')
139
136
  Requires-Dist: tables ; extra == "testsuite"
137
+ Requires-Dist: tables>3.9.0 ; extra == "testsuite" and ( python_version>='3.9')
140
138
  Requires-Dist: xlrd>=1.2.0 ; extra == "testsuite"
141
- Requires-Dist: spacy ; extra == "text"
139
+ Requires-Dist: spacy>=3.4.2 ; extra == "text"
142
140
  Requires-Dist: wordcloud>=1.8.1 ; extra == "text"
143
141
  Requires-Dist: oracle_ads[viz] ; extra == "torch"
144
142
  Requires-Dist: torch ; extra == "torch"
145
143
  Requires-Dist: torchvision ; extra == "torch"
146
- Requires-Dist: bokeh>=3.0.0, <3.2.0 ; extra == "viz"
144
+ Requires-Dist: bokeh>=3.0.0,<3.2.0 ; extra == "viz"
147
145
  Requires-Dist: folium>=0.12.1 ; extra == "viz"
148
146
  Requires-Dist: graphviz<0.17 ; extra == "viz"
149
147
  Requires-Dist: scipy>=1.5.4 ; extra == "viz"
@@ -84,7 +84,7 @@ ads/common/model_metadata.py,sha256=Md1soURHww8GHMG3q_HV0RHVb6dPtg9FZ_7Wmd9L-Yc,
84
84
  ads/common/object_storage_details.py,sha256=K1dj-VugV_Fi7H4Mpn6pDjlKZva_cqPQNeAXXyLoI7g,9554
85
85
  ads/common/oci_client.py,sha256=SmME1qdCFtOdMtC7-703C732e4lEK71kNfTSqBRFkSM,6053
86
86
  ads/common/oci_datascience.py,sha256=biBgm-udtSYRL46XYfBFJjpkPFcw2ew-xvp3rbbpwmI,1698
87
- ads/common/oci_logging.py,sha256=OCb4Sc56mCZkwe3lIetNLUcZ5N_yEIqCrTbhlTbwoyk,41813
87
+ ads/common/oci_logging.py,sha256=U0HRAUkpnycGpo2kWMrT3wjQVFZaWqLL6pZ2B6_epsM,41925
88
88
  ads/common/oci_mixin.py,sha256=mhja5UomrhXH43uB0jT-u2KaT37op9tM-snxvtGfc40,34548
89
89
  ads/common/oci_resource.py,sha256=zRa4z5yh5GoOW_6ZE57nhMmK2d94WUqyFqvaNvje9Co,4484
90
90
  ads/common/serializer.py,sha256=dwAEqZCJRNXt9YxBsW8hICdBzMehPtUlHLnrA7GX5hY,18854
@@ -446,7 +446,7 @@ ads/llm/guardrails/base.py,sha256=3z_gSik-d859fvDGe4UGjSon_aeqE0PqZwHOCS_89J0,16
446
446
  ads/llm/guardrails/huggingface.py,sha256=ts54JD6AUgXu7HoqYYU6NCQhwdhlWl0DSxuQ9ZRCQ3k,1314
447
447
  ads/llm/langchain/__init__.py,sha256=sAqmLhogrLXb3xI7dPOj9HmSkpTnLh9wkzysuGd8AXk,204
448
448
  ads/llm/langchain/plugins/__init__.py,sha256=sAqmLhogrLXb3xI7dPOj9HmSkpTnLh9wkzysuGd8AXk,204
449
- ads/llm/langchain/plugins/base.py,sha256=d7mdDGfEyD-m9KP-5J9cqpSQQoOwgmxPgYfNLs_du08,4430
449
+ ads/llm/langchain/plugins/base.py,sha256=fmcI7KRCzh1Y-k7FbTzS-3WyAGomanFK0ZPZcqPIkFA,4704
450
450
  ads/llm/langchain/plugins/contant.py,sha256=p1k9p7LwITygnZttNRauato1PhybUPESnIcZv3kkqLY,1008
451
451
  ads/llm/langchain/plugins/embeddings.py,sha256=nOm902vY1P1oV6v1M7o9Fh0lSc7Gg0Nj5-puOByO6xI,2046
452
452
  ads/llm/langchain/plugins/llm_gen_ai.py,sha256=HeFHUV1aqdw661VoyYdjG973m-LntU0YWozOZ9YEKi0,9975
@@ -460,7 +460,7 @@ ads/model/artifact.py,sha256=ONKyjZKO5wmAYI-GT63z8yLm_QsmIGXcob9KrnwtF5k,20503
460
460
  ads/model/artifact_downloader.py,sha256=-9IYkjZ0LaMWf5foz5HUGTZCEm67f-3LbDsigNlzEPg,9751
461
461
  ads/model/artifact_uploader.py,sha256=jdkpmncczceOc28LyMkv4u6f845HJ1vVCoI-hLBT-RM,11305
462
462
  ads/model/base_properties.py,sha256=YeVyjCync4fzqqruMc9UfZKR4PnscU31n0mf4CJv3R8,7885
463
- ads/model/datascience_model.py,sha256=oBh5x_-r3-mE2eoGlkqwgr5d-6SRahTUOBW5H-7SvP0,54004
463
+ ads/model/datascience_model.py,sha256=Hejr_CAOCy2S_fSxNhI4ffis0SoYEVBfrA4MBPtrrzc,62775
464
464
  ads/model/generic_model.py,sha256=aQco26ziO79q1BkLbRoS7CuE4Se4JYioyjRsFI3U5fU,146170
465
465
  ads/model/model_file_description_schema.json,sha256=NZw_U4CvKf9oOdxCKr1eUxq8FHwjR_g0GSDk0Hz3SnE,1402
466
466
  ads/model/model_introspect.py,sha256=z9pJul9dwT9w8flvRguhu0ZKoEkbm2Tvdutw_SHYTeg,9745
@@ -784,8 +784,8 @@ ads/type_discovery/unknown_detector.py,sha256=yZuYQReO7PUyoWZE7onhhtYaOg6088wf1y
784
784
  ads/type_discovery/zipcode_detector.py,sha256=3AlETg_ZF4FT0u914WXvTT3F3Z6Vf51WiIt34yQMRbw,1421
785
785
  ads/vault/__init__.py,sha256=x9tMdDAOdF5iDHk9u2di_K-ze5Nq068x25EWOBoWwqY,245
786
786
  ads/vault/vault.py,sha256=hFBkpYE-Hfmzu1L0sQwUfYcGxpWmgG18JPndRl0NOXI,8624
787
- oracle_ads-2.11.12.dist-info/entry_points.txt,sha256=9VFnjpQCsMORA4rVkvN8eH6D3uHjtegb9T911t8cqV0,35
788
- oracle_ads-2.11.12.dist-info/LICENSE.txt,sha256=zoGmbfD1IdRKx834U0IzfFFFo5KoFK71TND3K9xqYqo,1845
789
- oracle_ads-2.11.12.dist-info/WHEEL,sha256=EZbGkh7Ie4PoZfRQ8I0ZuP9VklN_TvcZ6DSE5Uar4z4,81
790
- oracle_ads-2.11.12.dist-info/METADATA,sha256=ag17uHeSMSvB5r17RCx4VpGf8R_zoWhfh3IfK45_j_s,15757
791
- oracle_ads-2.11.12.dist-info/RECORD,,
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,,