Container which holds a pipeline's features. Features can be accessed by name, index or with a numpy array. The container supports slicing and is sort- and filterable.
Further, the container holds global methods to request features' importances, correlations and their respective transpiled sql representation.
PARAMETER | DESCRIPTION |
pipeline | The name of the pipeline the features are associated with. TYPE: str |
targets | The targets the features are associated with. TYPE: Sequence[str] |
data | The features to be stored in the container. TYPE: Optional[Sequence[Feature]] DEFAULT: None |
Note
The container is an iterable. So, in addition to filter
you can also use python list comprehensions for filtering.
Example
all_my_features = my_pipeline.features
first_feature = my_pipeline.features[0]
second_feature = my_pipeline.features["feature_1_2"]
all_but_last_10_features = my_pipeline.features[:-10]
important_features = [feature for feature in my_pipeline.features if feature.importance > 0.1]
names, importances = my_pipeline.features.importances()
names, correlations = my_pipeline.features.correlations()
sql_code = my_pipeline.features.to_sql()
Source code in getml/pipeline/features.py
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112 | def __init__(
self,
pipeline: str,
targets: Sequence[str],
data: Optional[Sequence[Feature]] = None,
) -> None:
if not isinstance(pipeline, str):
raise ValueError("'pipeline' must be a str.")
if not _is_typed_list(targets, str):
raise TypeError("'targets' must be a list of str.")
self.pipeline = pipeline
self.targets = targets
if data is None:
self.data = self._load_features()
else:
self.data = list(data)
|
correlation property
Holds the correlations of a Pipeline
's features.
RETURNS | DESCRIPTION |
List[float] | List containing the correlations. |
Note
The order corresponds to the current sorting of the container.
importance property
Holds the correlations of a Pipeline
's features.
RETURNS | DESCRIPTION |
List[float] | List containing the correlations. |
Note
The order corresponds to the current sorting of the container.
name property
Holds the names of a Pipeline
's features.
RETURNS | DESCRIPTION |
List[str] | List containing the names. |
Note
The order corresponds to the current sorting of the container.
names property
Holds the names of a Pipeline
's features.
RETURNS | DESCRIPTION |
List[str] | List containing the names. |
Note
The order corresponds to the current sorting of the container.
correlations
correlations(
target_num: int = 0, sort: bool = True
) -> Tuple[NDArray[str_], NDArray[float_]]
Returns the data for the feature correlations, as displayed in the getML Monitor.
PARAMETER | DESCRIPTION |
target_num | Indicates for which target you want to view the importances. (Pipelines can have more than one target.) TYPE: int DEFAULT: 0 |
sort | Whether you want the results to be sorted. TYPE: bool DEFAULT: True |
RETURNS | DESCRIPTION |
NDArray[str_] | The first array contains the names of the features. |
NDArray[float_] | The second array contains the correlations with the target. |
Source code in getml/pipeline/features.py
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326 | def correlations(
self, target_num: int = 0, sort: bool = True
) -> Tuple[NDArray[np.str_], NDArray[np.float_]]:
"""
Returns the data for the feature correlations,
as displayed in the getML Monitor.
Args:
target_num:
Indicates for which target you want to view the
importances.
(Pipelines can have more than one target.)
sort:
Whether you want the results to be sorted.
Returns:
The first array contains the names of the features.
The second array contains the correlations with the target.
"""
cmd: Dict[str, Any] = {}
cmd["type_"] = "Pipeline.feature_correlations"
cmd["name_"] = self.pipeline
cmd["target_num_"] = target_num
with comm.send_and_get_socket(cmd) as sock:
msg = comm.recv_string(sock)
if msg != "Success!":
comm.handle_engine_exception(msg)
msg = comm.recv_string(sock)
json_obj = json.loads(msg)
names = np.asarray(json_obj["feature_names_"])
correlations = np.asarray(json_obj["feature_correlations_"])
assert len(correlations) <= len(names), "Correlations must be <= names"
if hasattr(self, "data"):
indices = np.asarray(
[
feature.index
for feature in self.data
if feature.target == self.targets[target_num]
and feature.index < len(correlations)
]
)
names = names[indices]
correlations = correlations[indices]
if not sort:
return names, correlations
indices = np.argsort(np.abs(correlations))[::-1]
return (names[indices], correlations[indices])
|
filter
Filters the Features container.
PARAMETER | DESCRIPTION |
conditional | A callable that evaluates to a boolean for a given item. TYPE: Callable[[Feature], bool] |
RETURNS | DESCRIPTION |
Features | A container of filtered Features. |
Example
important_features = my_pipeline.features.filter(lambda feature: feature.importance > 0.1)
correlated_features = my_pipeline.features.filter(lambda feature: feature.correlation > 0.3)
Source code in getml/pipeline/features.py
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348 | def filter(self, conditional: Callable[[Feature], bool]) -> Features:
"""
Filters the Features container.
Args:
conditional:
A callable that evaluates to a boolean for a given item.
Returns:
A container of filtered Features.
??? example
```python
important_features = my_pipeline.features.filter(lambda feature: feature.importance > 0.1)
correlated_features = my_pipeline.features.filter(lambda feature: feature.correlation > 0.3)
```
"""
features_filtered = [feature for feature in self.data if conditional(feature)]
return Features(self.pipeline, self.targets, data=features_filtered)
|
importances
importances(
target_num: int = 0, sort: bool = True
) -> Tuple[NDArray[str_], NDArray[float_]]
Returns the data for the feature importances, as displayed in the getML Monitor.
PARAMETER | DESCRIPTION |
target_num | Indicates for which target you want to view the importances. (Pipelines can have more than one target.) TYPE: int DEFAULT: 0 |
sort | Whether you want the results to be sorted. TYPE: bool DEFAULT: True |
RETURNS | DESCRIPTION |
NDArray[str_] | The first array contains the names of the features. |
NDArray[float_] | The second array contains their importances. By definition, all importances add up to 1. |
Source code in getml/pipeline/features.py
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429 | def importances(
self, target_num: int = 0, sort: bool = True
) -> Tuple[NDArray[np.str_], NDArray[np.float_]]:
"""
Returns the data for the feature importances,
as displayed in the getML Monitor.
Args:
target_num:
Indicates for which target you want to view the
importances.
(Pipelines can have more than one target.)
sort:
Whether you want the results to be sorted.
Returns:
The first array contains the names of the features.
The second array contains their importances. By definition, all importances add up to 1.
"""
cmd: Dict[str, Any] = {}
cmd["type_"] = "Pipeline.feature_importances"
cmd["name_"] = self.pipeline
cmd["target_num_"] = target_num
with comm.send_and_get_socket(cmd) as sock:
msg = comm.recv_string(sock)
if msg != "Success!":
comm.handle_engine_exception(msg)
msg = comm.recv_string(sock)
json_obj = json.loads(msg)
names = np.asarray(json_obj["feature_names_"])
importances = np.asarray(json_obj["feature_importances_"])
if hasattr(self, "data"):
assert len(importances) <= len(names), "Importances must be <= names"
indices = np.asarray(
[
feature.index
for feature in self.data
if feature.target == self.targets[target_num]
and feature.index < len(importances)
]
)
names = names[indices]
importances = importances[indices]
if not sort:
return names, importances
assert len(importances) <= len(names), "Must have the same length"
indices = np.argsort(importances)[::-1]
return (names[indices], importances[indices])
|
sort
Sorts the Features container. If no arguments are provided the container is sorted by target and name.
PARAMETER | DESCRIPTION |
by | The name of field to sort by. Possible fields: - name(s) - correlation(s) - importances(s) TYPE: Optional[str] DEFAULT: None |
key | A callable that evaluates to a sort key for a given item. TYPE: Optional[Callable[[Feature], Union[float, int, str]]] DEFAULT: None |
descending | Whether to sort in descending order. TYPE: Optional[bool] DEFAULT: None |
RETURNS | DESCRIPTION |
Features | A container of sorted Features. |
Example
by_correlation = my_pipeline.features.sort(by="correlation")
by_importance = my_pipeline.features.sort(key=lambda feature: feature.importance)
Source code in getml/pipeline/features.py
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545 | def sort(
self,
by: Optional[str] = None,
key: Optional[
Callable[
[Feature],
Union[
float,
int,
str,
],
]
] = None,
descending: Optional[bool] = None,
) -> Features:
"""
Sorts the Features container. If no arguments are provided the
container is sorted by target and name.
Args:
by:
The name of field to sort by. Possible fields:
- name(s)
- correlation(s)
- importances(s)
key:
A callable that evaluates to a sort key for a given item.
descending:
Whether to sort in descending order.
Returns:
A container of sorted Features.
??? example
```python
by_correlation = my_pipeline.features.sort(by="correlation")
by_importance = my_pipeline.features.sort(key=lambda feature: feature.importance)
```
"""
reverse = False if descending is None else descending
if (by is not None) and (key is not None):
raise ValueError("Only one of `by` and `key` can be provided.")
if key is not None:
features_sorted = sorted(self.data, key=key, reverse=reverse)
return self._make_features(features_sorted)
else:
if by is None:
features_sorted = sorted(
self.data, key=lambda feature: feature.index, reverse=reverse
)
features_sorted.sort(key=lambda feature: feature.target)
return self._make_features(features_sorted)
if re.match(pattern="names?$", string=by):
features_sorted = sorted(
self.data, key=lambda feature: feature.name, reverse=reverse
)
return self._make_features(features_sorted)
if re.match(pattern="correlations?$", string=by):
reverse = True if descending is None else descending
features_sorted = sorted(
self.data,
key=lambda feature: abs(feature.correlation),
reverse=reverse,
)
return self._make_features(features_sorted)
if re.match(pattern="importances?$", string=by):
reverse = True if descending is None else descending
features_sorted = sorted(
self.data,
key=lambda feature: feature.importance,
reverse=reverse,
)
return self._make_features(features_sorted)
raise ValueError(f"Cannot sort by: {by}.")
|
to_pandas
Returns all information related to the features in a pandas data frame.
RETURNS | DESCRIPTION |
DataFrame | A pandas data frame containing the features' names, importances, correlations, and SQL code. |
Source code in getml/pipeline/features.py
549
550
551
552
553
554
555
556
557 | def to_pandas(self) -> pd.DataFrame:
"""
Returns all information related to the features in a pandas data frame.
Returns:
A pandas data frame containing the features' names, importances, correlations, and SQL code.
"""
return self._to_pandas()
|
to_sql
Returns SQL statements visualizing the features.
PARAMETER | DESCRIPTION |
targets | Whether you want to include the target columns in the main table. TYPE: bool DEFAULT: True |
subfeatures | Whether you want to include the code for the subfeatures of a snowflake schema. TYPE: bool DEFAULT: True |
dialect | The SQL dialect to use. Must be from dialect . Please note that not all dialects are supported in the getML Community edition. TYPE: str DEFAULT: sqlite3 |
schema | The schema in which to wrap all generated tables and indices. None for no schema. Not applicable to all dialects. For the BigQuery and MySQL dialects, the schema is identical to the database ID. TYPE: Optional[str] DEFAULT: None |
nchar_categorical | The maximum number of characters used in the VARCHAR for categorical columns. Not applicable to all dialects. TYPE: int DEFAULT: 128 |
nchar_join_key | The maximum number of characters used in the VARCHAR for join keys. Not applicable to all dialects. TYPE: int DEFAULT: 128 |
nchar_text | The maximum number of characters used in the VARCHAR for text columns. Not applicable to all dialects. TYPE: int DEFAULT: 4096 |
size_threshold | The maximum number of characters to display in a single feature. Displaying extremely complicated features can crash your iPython notebook or lead to unexpectedly high memory consumption, which is why a reasonable upper limit is advantageous. Set to None for no upper limit. TYPE: Optional[int] DEFAULT: 50000 |
RETURNS | DESCRIPTION |
SQLCode | Object representing the features. |
Example
my_pipeline.features.to_sql()
Note
Only fitted pipelines (fit
) can hold trained features which can be returned as SQL statements.
Note
The getML Community edition only supports transpilation to human-readable SQL. Passing 'sqlite3' will also produce human-readable SQL.
Source code in getml/pipeline/features.py
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694 | def to_sql(
self,
targets: bool = True,
subfeatures: bool = True,
dialect: str = sqlite3,
schema: Optional[str] = None,
nchar_categorical: int = 128,
nchar_join_key: int = 128,
nchar_text: int = 4096,
size_threshold: Optional[int] = 50000,
) -> SQLCode:
"""
Returns SQL statements visualizing the features.
Args:
targets:
Whether you want to include the target columns
in the main table.
subfeatures:
Whether you want to include the code for the
subfeatures of a snowflake schema.
dialect:
The SQL dialect to use. Must be from
[`dialect`][getml.pipeline.dialect]. Please
note that not all dialects are supported
in the getML Community edition.
schema:
The schema in which to wrap all generated tables and
indices. None for no schema. Not applicable to all dialects.
For the BigQuery and MySQL dialects, the schema is identical
to the database ID.
nchar_categorical:
The maximum number of characters used in the
VARCHAR for categorical columns. Not applicable
to all dialects.
nchar_join_key:
The maximum number of characters used in the
VARCHAR for join keys. Not applicable
to all dialects.
nchar_text:
The maximum number of characters used in the
VARCHAR for text columns. Not applicable
to all dialects.
size_threshold:
The maximum number of characters to display
in a single feature. Displaying extremely
complicated features can crash your iPython
notebook or lead to unexpectedly high memory
consumption, which is why a reasonable
upper limit is advantageous. Set to None
for no upper limit.
Returns:
Object representing the features.
??? example
```python
my_pipeline.features.to_sql()
```
Note:
Only fitted pipelines
([`fit`][getml.Pipeline.fit]) can hold trained
features which can be returned as SQL statements.
Note:
The getML Community edition only supports
transpilation to human-readable SQL. Passing
'sqlite3' will also produce human-readable SQL.
"""
if not isinstance(targets, bool):
raise TypeError("'targets' must be a bool!")
if not isinstance(subfeatures, bool):
raise TypeError("'subfeatures' must be a bool!")
if not isinstance(dialect, str):
raise TypeError("'dialect' must be a string!")
if not isinstance(nchar_categorical, int):
raise TypeError("'nchar_categorical' must be an int!")
if not isinstance(nchar_join_key, int):
raise TypeError("'nchar_join_key' must be an int!")
if not isinstance(nchar_text, int):
raise TypeError("'nchar_text' must be an int!")
if dialect not in _all_dialects:
raise ValueError(
"'dialect' must from getml.pipeline.dialect, "
+ "meaning that is must be one of the following: "
+ str(_all_dialects)
+ "."
)
if size_threshold is not None and not isinstance(size_threshold, int):
raise TypeError("'size_threshold' must be an int or None!")
if size_threshold is not None and size_threshold <= 0:
raise ValueError("'size_threshold' must be a positive number!")
cmd: Dict[str, Any] = {}
cmd["type_"] = "Pipeline.to_sql"
cmd["name_"] = self.pipeline
cmd["targets_"] = targets
cmd["subfeatures_"] = subfeatures
cmd["dialect_"] = dialect
cmd["schema_"] = schema or ""
cmd["nchar_categorical_"] = nchar_categorical
cmd["nchar_join_key_"] = nchar_join_key
cmd["nchar_text_"] = nchar_text
if size_threshold is not None:
cmd["size_threshold_"] = size_threshold
with comm.send_and_get_socket(cmd) as sock:
msg = comm.recv_string(sock)
if msg != "Found!":
comm.handle_engine_exception(msg)
sql = comm.recv_string(sock)
return SQLCode(sql.split("\n\n\n"), dialect)
|