Skip to content
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

Experimental command line interface UX #6135

Merged
merged 35 commits into from
Nov 21, 2024
Merged
Show file tree
Hide file tree
Changes from 30 commits
Commits
Show all changes
35 commits
Select commit Hold shift + click to select a range
d63e222
ENH Make get_param_names a class method to match Scikit-learn
dantegd Oct 7, 2024
4a1a7bc
ENH Make get_param_names a class method in cython files too
dantegd Oct 8, 2024
9eb0255
FIX remove changes to dask estimators
dantegd Oct 8, 2024
1086f75
Merge branch 'branch-24.12' into 2412-fix-classmethod
dantegd Oct 8, 2024
abf81bd
Style fixes
dantegd Oct 8, 2024
f43e580
FIX self to cls in qn.pyx
dantegd Oct 8, 2024
c902164
FIX final typo fix hopefully
dantegd Oct 8, 2024
00c14d6
Merge remote-tracking branch 'upstream/branch-24.12' into 2412-fix-cl…
divyegala Nov 6, 2024
d46c31d
passing tests
divyegala Nov 6, 2024
24a8047
Merge branch 'branch-24.12' into 2412-fix-classmethod
divyegala Nov 7, 2024
009546c
Update ESTIMATOR_GUIDE.md
divyegala Nov 7, 2024
9c3edce
FEA First commit
dantegd Nov 11, 2024
502886b
FIX typo
dantegd Nov 11, 2024
5c441a3
FIX fixes and improvements
dantegd Nov 12, 2024
15ac83d
FIX typo
dantegd Nov 12, 2024
7b8fdd4
ENH Hyperparameter translation improvements
dantegd Nov 12, 2024
33c6a7e
Merge branch 'branch-24.12' into fea-cli
dantegd Nov 13, 2024
20c345b
ENH Simplification of proxy estimator code and multiple fixes/improve…
dantegd Nov 13, 2024
cb2234d
FIX conditional for dispatching in base and add clarifying comment
dantegd Nov 17, 2024
4f5e7c5
FIX Remove commented code
dantegd Nov 18, 2024
4e193d0
ENH Simplify proxy estimator to remove meta class and add docstrings
dantegd Nov 18, 2024
5772e0d
ENH Multiple improvements, cleanups and fixes from PR review
dantegd Nov 18, 2024
881ada1
Style fixes
dantegd Nov 18, 2024
b32495d
ENH simplification of hyperparam translator method as suggested by PR…
dantegd Nov 18, 2024
26f64ad
FIX correct value in elastic net dict
dantegd Nov 18, 2024
de51949
FEA Use new ProxyModule simpler mechanism
dantegd Nov 19, 2024
510da44
FIX Multiple fixes
dantegd Nov 20, 2024
dfa7828
Style fixes
dantegd Nov 20, 2024
cd84519
Style fixes
dantegd Nov 20, 2024
f4d78c7
FIX PR fix and small fix for ridge, tsne and dask
dantegd Nov 20, 2024
a599330
FIX change directory path before running accel tests
dantegd Nov 20, 2024
43a7f7a
FIX separate tests into their own file to fix codevoc configuration f…
dantegd Nov 20, 2024
0730087
Merge branch 'branch-24.12' into fea-cli
dantegd Nov 21, 2024
d5d64db
FIX permissions of CI file
dantegd Nov 21, 2024
38ab735
Merge branch 'fea-cli' of github.com:dantegd/cuml into fea-cli
dantegd Nov 21, 2024
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
4 changes: 4 additions & 0 deletions ci/run_cuml_singlegpu_pytests.sh
Original file line number Diff line number Diff line change
Expand Up @@ -5,3 +5,7 @@
cd "$(dirname "$(realpath "${BASH_SOURCE[0]}")")"/../python/cuml/cuml/tests

python -m pytest --cache-clear --ignore=dask -m "not memleak" "$@" .

cd "$(dirname "$(realpath "${BASH_SOURCE[0]}")")"/../python/cuml/cuml/tests/experimental/accel

python -m pytest -p cuml.experimental.accel --cache-clear "$@" .
dantegd marked this conversation as resolved.
Show resolved Hide resolved
21 changes: 17 additions & 4 deletions python/cuml/cuml/cluster/dbscan.pyx
Original file line number Diff line number Diff line change
Expand Up @@ -225,6 +225,19 @@ class DBSCAN(UniversalBase,
core_sample_indices_ = CumlArrayDescriptor(order="C")
labels_ = CumlArrayDescriptor(order="C")

_hyperparam_interop_translator = {
"metric": {
"manhattan": "NotImplemented",
"chebyshev": "NotImplemented",
"minkowski": "NotImplemented",
},
"algorithm": {
"auto": "brute",
"ball_tree": "NotImplemented",
"kd_tree": "NotImplemented",
},
}

@device_interop_preparation
def __init__(self, *,
eps=0.5,
Expand Down Expand Up @@ -263,7 +276,7 @@ class DBSCAN(UniversalBase,
opg that is set to `False` for SG, `True` for OPG (multi-GPU)
"""
if out_dtype not in ["int32", np.int32, "int64", np.int64]:
raise ValueError("Invalid value for out_dtype. "
raise ValueError(f"Invalid value for out_dtype: {out_dtype}. "
"Valid values are {'int32', 'int64', "
"np.int32, np.int64}")

Expand Down Expand Up @@ -422,7 +435,7 @@ class DBSCAN(UniversalBase,

@generate_docstring(skip_parameters_heading=True)
@enable_device_interop
def fit(self, X, out_dtype="int32", sample_weight=None,
def fit(self, X, y=None, out_dtype="int32", sample_weight=None,
convert_dtype=True) -> "DBSCAN":
"""
Perform DBSCAN clustering from features.
Expand All @@ -447,7 +460,7 @@ class DBSCAN(UniversalBase,
'description': 'Cluster labels',
'shape': '(n_samples, 1)'})
@enable_device_interop
def fit_predict(self, X, out_dtype="int32", sample_weight=None) -> CumlArray:
def fit_predict(self, X, y=None, out_dtype="int32", sample_weight=None) -> CumlArray:
"""
Performs clustering on X and returns cluster labels.

Expand All @@ -463,7 +476,7 @@ class DBSCAN(UniversalBase,
negative weight may inhibit its eps-neighbor from being core.
default: None (which is equivalent to weight 1 for all samples).
"""
self.fit(X, out_dtype, sample_weight)
self.fit(X, out_dtype=out_dtype, sample_weight=sample_weight)
return self.labels_

@classmethod
Expand Down
13 changes: 13 additions & 0 deletions python/cuml/cuml/cluster/hdbscan/hdbscan.pyx
Original file line number Diff line number Diff line change
Expand Up @@ -485,6 +485,19 @@ class HDBSCAN(UniversalBase, ClusterMixin, CMajorInputTagMixin):
mst_dst_ = CumlArrayDescriptor()
mst_weights_ = CumlArrayDescriptor()

_hyperparam_interop_translator = {
"metric": {
"manhattan": "NotImplemented",
"chebyshev": "NotImplemented",
"minkowski": "NotImplemented",
},
"algorithm": {
"auto": "brute",
"ball_tree": "NotImplemented",
"kd_tree": "NotImplemented",
},
}

@device_interop_preparation
def __init__(self, *,
min_cluster_size=5,
Expand Down
6 changes: 3 additions & 3 deletions python/cuml/cuml/cluster/kmeans.pyx
Original file line number Diff line number Diff line change
Expand Up @@ -564,7 +564,7 @@ class KMeans(UniversalBase,
'description': 'Cluster indexes',
'shape': '(n_samples, 1)'})
@enable_device_interop
def predict(self, X, convert_dtype=True, sample_weight=None,
def predict(self, X, y=None, convert_dtype=True, sample_weight=None,
normalize_weights=True) -> CumlArray:
"""
Predict the closest cluster each sample in X belongs to.
Expand All @@ -583,7 +583,7 @@ class KMeans(UniversalBase,
'description': 'Transformed data',
'shape': '(n_samples, n_clusters)'})
@enable_device_interop
def transform(self, X, convert_dtype=True) -> CumlArray:
def transform(self, X, y=None, convert_dtype=True) -> CumlArray:
"""
Transform X to a cluster-distance space.

Expand Down Expand Up @@ -687,7 +687,7 @@ class KMeans(UniversalBase,
'description': 'Transformed data',
'shape': '(n_samples, n_clusters)'})
@enable_device_interop
def fit_transform(self, X, convert_dtype=False,
def fit_transform(self, X, y=None, convert_dtype=False,
sample_weight=None) -> CumlArray:
"""
Compute clustering and transform X to cluster-distance space.
Expand Down
10 changes: 10 additions & 0 deletions python/cuml/cuml/decomposition/pca.pyx
Original file line number Diff line number Diff line change
Expand Up @@ -280,6 +280,16 @@ class PCA(UniversalBase,
noise_variance_ = CumlArrayDescriptor(order='F')
trans_input_ = CumlArrayDescriptor(order='F')

_hyperparam_interop_translator = {
"svd_solver": {
"arpack": "full",
"randomized": "full"
},
"iterated_power": {
"auto": 15,
},
}

@device_interop_preparation
def __init__(self, *, copy=True, handle=None, iterated_power=15,
n_components=None, random_state=None, svd_solver='auto',
Expand Down
7 changes: 7 additions & 0 deletions python/cuml/cuml/decomposition/tsvd.pyx
Original file line number Diff line number Diff line change
Expand Up @@ -240,6 +240,13 @@ class TruncatedSVD(UniversalBase,
explained_variance_ratio_ = CumlArrayDescriptor(order='F')
singular_values_ = CumlArrayDescriptor(order='F')

_hyperparam_interop_translator = {
"algorithm": {
"randomized": "full",
"arpack": "full",
},
}

@device_interop_preparation
def __init__(self, *, algorithm='full', handle=None, n_components=1,
n_iter=15, random_state=None, tol=1e-7,
Expand Down
68 changes: 68 additions & 0 deletions python/cuml/cuml/experimental/accel/__init__.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,68 @@
#
# Copyright (c) 2024, NVIDIA CORPORATION.
#
# 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
#
# http://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 importlib

from .magics import load_ipython_extension

from cuml.internals import logger
from cuml.internals.global_settings import GlobalSettings
from cuml.internals.memory_utils import set_global_output_type

__all__ = ["load_ipython_extension", "install"]


def _install_for_library(library_name):
importlib.import_module(f"._wrappers.{library_name}", __name__)
return True


def install():
"""Enable cuML Accelerator Mode."""
logger.set_level(logger.level_info)
logger.set_pattern("%v")

logger.info("cuML: Installing experimental accelerator...")
loader_sklearn = _install_for_library(library_name="sklearn")
loader_umap = _install_for_library(library_name="umap")
loader_hdbscan = _install_for_library(library_name="hdbscan")

GlobalSettings().accelerator_loaded = all(
[loader_sklearn, loader_umap, loader_hdbscan]
)

GlobalSettings().accelerator_active = True

if GlobalSettings().accelerator_loaded:
logger.info(
"cuML: experimental accelerator successfully initialized..."
)
else:
logger.info("cuML: experimental accelerator failed to initialize...")

set_global_output_type("numpy")


def pytest_load_initial_conftests(early_config, parser, args):
Copy link
Contributor

Choose a reason for hiding this comment

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

So the no-code change magic kicks in when running the pytest suite? Very cool.

By the way, does it affect the other pytests that are outside cuml.experimental.accel? Many of our existing tests assert that cuML algorithm matches output of sklearn's counterpart.

Copy link
Member Author

Choose a reason for hiding this comment

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

It only affects pytests that are run with the -p flag pytest -p cuml.experimental.accel ...

# https://docs.pytest.org/en/7.1.x/reference/\
# reference.html#pytest.hookspec.pytest_load_initial_conftests
try:
install()
except RuntimeError:
raise RuntimeError(
"An existing plugin has already loaded sklearn. Interposing failed."
)
70 changes: 70 additions & 0 deletions python/cuml/cuml/experimental/accel/__main__.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,70 @@
#
# Copyright (c) 2024, NVIDIA CORPORATION.
#
# 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
#
# http://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 click
import code
import os
import runpy
import sys

from . import install


@click.command()
@click.option("-m", "module", required=False, help="Module to run")
@click.option(
"--strict",
is_flag=True,
default=False,
help="Turn strict mode for hyperparameters on.",
)
@click.argument("args", nargs=-1)
def main(module, strict, args):

if strict:
os.environ["CUML_ACCEL_STRICT_MODE"] = "ON"

install()

if module:
(module,) = module
# run the module passing the remaining arguments
# as if it were run with python -m <module> <args>
sys.argv[:] = [module] + args # not thread safe?
runpy.run_module(module, run_name="__main__")
elif len(args) >= 1:
# Remove ourself from argv and continue
sys.argv[:] = args
runpy.run_path(args[0], run_name="__main__")
else:
if sys.stdin.isatty():
banner = f"Python {sys.version} on {sys.platform}"
site_import = not sys.flags.no_site
if site_import:
cprt = 'Type "help", "copyright", "credits" or "license" for more information.'
banner += "\n" + cprt
else:
# Don't show prompts or banners if stdin is not a TTY
sys.ps1 = ""
sys.ps2 = ""
banner = ""

# Launch an interactive interpreter
code.interact(banner=banner, exitmsg="")


if __name__ == "__main__":
main()
34 changes: 34 additions & 0 deletions python/cuml/cuml/experimental/accel/_wrappers/__init__.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,34 @@
#
# Copyright (c) 2024, NVIDIA CORPORATION.
#
# 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
#
# http://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.
#

wrapped_estimators = {
"KMeans": ("cuml.cluster", "KMeans"),
"DBSCAN": ("cuml.cluster", "DBSCAN"),
"PCA": ("cuml.decomposition", "PCA"),
"TruncatedSVD": ("cuml.decomposition", "TruncatedSVD"),
"KernelRidge": ("cuml.kernel_ridge", "KernelRidge"),
"LinearRegression": ("cuml.linear_model", "LinearRegression"),
"LogisticRegression": ("cuml.linear_model", "LogisticRegression"),
"ElasticNet": ("cuml.linear_model", "ElasticNet"),
"Ridge": ("cuml.linear_model", "Ridge"),
"Lasso": ("cuml.linear_model", "Lasso"),
"TSNE": ("cuml.manifold", "TSNE"),
"NearestNeighbors": ("cuml.neighbors", "NearestNeighbors"),
"KNeighborsClassifier": ("cuml.neighbors", "KNeighborsClassifier"),
"KNeighborsRegressor": ("cuml.neighbors", "KNeighborsRegressor"),
"UMAP": ("cuml.manifold", "UMAP"),
"HDBSCAN": ("cuml.cluster", "HDBSCAN"),
}
24 changes: 24 additions & 0 deletions python/cuml/cuml/experimental/accel/_wrappers/hdbscan.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,24 @@
#
# Copyright (c) 2024, NVIDIA CORPORATION.
#
# 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
#
# http://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.
#

from ..estimator_proxy import intercept


HDBSCAN = intercept(
original_module="hdbscan",
accelerated_module="cuml.cluster",
original_class_name="HDBSCAN",
)
Loading
Loading