lecrapaud 0.4.2__py3-none-any.whl → 0.5.0__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.

Potentially problematic release.


This version of lecrapaud might be problematic. Click here for more details.

Files changed (37) hide show
  1. lecrapaud/config.py +15 -12
  2. lecrapaud/db/alembic/env.py +7 -2
  3. lecrapaud/db/alembic/versions/2025_06_20_1924-1edada319fd7_initial_setup.py +214 -0
  4. lecrapaud/db/alembic.ini +1 -1
  5. lecrapaud/db/models/base.py +28 -0
  6. lecrapaud/db/models/dataset.py +5 -6
  7. lecrapaud/db/models/feature.py +4 -3
  8. lecrapaud/db/models/feature_selection.py +11 -8
  9. lecrapaud/db/models/feature_selection_rank.py +4 -3
  10. lecrapaud/db/models/model.py +0 -1
  11. lecrapaud/db/models/model_selection.py +9 -4
  12. lecrapaud/db/models/model_training.py +2 -3
  13. lecrapaud/db/models/score.py +5 -13
  14. lecrapaud/db/models/target.py +2 -3
  15. lecrapaud/db/session.py +37 -17
  16. lecrapaud-0.5.0.dist-info/METADATA +263 -0
  17. lecrapaud-0.5.0.dist-info/RECORD +46 -0
  18. lecrapaud/db/alembic/versions/2025_04_06_1738-7390745388e4_initial_setup.py +0 -295
  19. lecrapaud/db/alembic/versions/2025_04_06_1755-40cd8d3e798e_unique_constraint_for_data.py +0 -30
  20. lecrapaud/db/alembic/versions/2025_05_23_1724-2360941fa0bd_longer_string.py +0 -52
  21. lecrapaud/db/alembic/versions/2025_05_27_1159-b96396dcfaff_add_env_to_trading_tables.py +0 -34
  22. lecrapaud/db/alembic/versions/2025_05_27_1337-40cbfc215f7c_fix_nb_character_on_portfolio.py +0 -39
  23. lecrapaud/db/alembic/versions/2025_05_27_1526-3de994115317_to_datetime.py +0 -36
  24. lecrapaud/db/alembic/versions/2025_05_27_2003-25c227c684f8_add_fees_to_transactions.py +0 -30
  25. lecrapaud/db/alembic/versions/2025_05_27_2047-6b6f2d38e9bc_double_instead_of_float.py +0 -132
  26. lecrapaud/db/alembic/versions/2025_05_31_1111-c175e4a36d68_generalise_stock_to_group.py +0 -36
  27. lecrapaud/db/alembic/versions/2025_05_31_1256-5681095bfc27_create_investment_run_and_portfolio_.py +0 -62
  28. lecrapaud/db/alembic/versions/2025_05_31_1806-339927587383_add_investment_run_id.py +0 -107
  29. lecrapaud/db/alembic/versions/2025_05_31_1834-52b809a34371_make_nullablee.py +0 -50
  30. lecrapaud/db/alembic/versions/2025_05_31_1849-3b8550297e8e_change_date_to_datetime.py +0 -44
  31. lecrapaud/db/alembic/versions/2025_05_31_1852-e6b8c95d8243_add_date_to_portfolio_history.py +0 -30
  32. lecrapaud/db/alembic/versions/2025_06_10_1136-db8cdd83563a_addnewsandoptiontodata.py +0 -32
  33. lecrapaud/db/alembic/versions/2025_06_17_1652-c45f5e49fa2c_make_fields_nullable.py +0 -89
  34. lecrapaud-0.4.2.dist-info/METADATA +0 -177
  35. lecrapaud-0.4.2.dist-info/RECORD +0 -61
  36. {lecrapaud-0.4.2.dist-info → lecrapaud-0.5.0.dist-info}/LICENSE +0 -0
  37. {lecrapaud-0.4.2.dist-info → lecrapaud-0.5.0.dist-info}/WHEEL +0 -0
lecrapaud/db/session.py CHANGED
@@ -3,41 +3,58 @@
3
3
  from contextlib import contextmanager
4
4
  from sqlalchemy import create_engine, text
5
5
  from sqlalchemy.orm import sessionmaker
6
- from urllib.parse import urlparse
7
6
  from alembic.config import Config
8
7
  from alembic import command
9
8
  import os
9
+ from urllib.parse import urlparse
10
10
 
11
11
  from lecrapaud.config import DB_USER, DB_PASSWORD, DB_HOST, DB_PORT, DB_NAME, DB_URI
12
12
 
13
13
  _engine = None
14
14
  _SessionLocal = None
15
- DATABASE_URL = (
16
- f"mysql+pymysql://{DB_USER}:{DB_PASSWORD}@{DB_HOST}:{DB_PORT}/{DB_NAME}" or DB_URI
17
- )
15
+ if DB_URI:
16
+ DATABASE_URL = DB_URI
17
+ elif DB_USER and DB_PASSWORD and DB_HOST and DB_PORT and DB_NAME:
18
+ DATABASE_URL = (
19
+ f"mysql+pymysql://{DB_USER}:{DB_PASSWORD}@{DB_HOST}:{DB_PORT}/{DB_NAME}"
20
+ )
21
+ else:
22
+ DATABASE_URL = None
18
23
 
19
24
 
20
25
  def init_db(uri: str = None):
21
- global _engine, _SessionLocal
22
-
23
- uri = uri if uri else DATABASE_URL
24
- # Extract DB name from URI to connect without it
25
- parsed = urlparse(uri)
26
+ print(f"Initializing database with URI: {uri}")
27
+ global _engine, _SessionLocal, DATABASE_URL
28
+ if uri:
29
+ DATABASE_URL = uri
30
+ elif DB_USER and DB_PASSWORD and DB_HOST and DB_PORT and DB_NAME:
31
+ DATABASE_URL = (
32
+ f"mysql+pymysql://{DB_USER}:{DB_PASSWORD}@{DB_HOST}:{DB_PORT}/{DB_NAME}"
33
+ )
34
+ elif DB_URI:
35
+ DATABASE_URL = DB_URI
36
+ else:
37
+ raise ValueError(
38
+ "No database configuration found, please set env variables "
39
+ "DB_USER, DB_PASSWORD, DB_HOST, DB_PORT, DB_NAME or DB_URI, "
40
+ "or provide a `uri` argument to LeCrapaud"
41
+ )
42
+
43
+ # Use urlparse for robust parsing
44
+ parsed = urlparse(DATABASE_URL)
26
45
  db_name = parsed.path.lstrip("/") # remove leading slash
46
+ root_uri = f"{parsed.scheme}://{parsed.netloc}"
27
47
 
28
- # Build root engine (no database in URI)
29
- root_uri = uri.replace(f"/{db_name}", "/")
30
-
31
- # Step 1: Connect to MySQL without a database
48
+ # Do not add trailing slash or database
32
49
  root_engine = create_engine(root_uri)
33
50
 
34
51
  # Step 2: Create database if it doesn't exist
35
52
  with root_engine.connect() as conn:
36
- conn.execute(text(f"CREATE DATABASE IF NOT EXISTS {DB_NAME}"))
53
+ conn.execute(text(f"CREATE DATABASE IF NOT EXISTS `{db_name}`"))
37
54
  conn.commit()
38
55
 
39
56
  # Step 3: Connect to the newly created database
40
- _engine = create_engine(uri, echo=False)
57
+ _engine = create_engine(DATABASE_URL, echo=False)
41
58
 
42
59
  # Step 4: Create session factory
43
60
  _SessionLocal = sessionmaker(autocommit=False, autoflush=False, bind=_engine)
@@ -45,10 +62,13 @@ def init_db(uri: str = None):
45
62
  # Step 5: Apply Alembic migrations programmatically
46
63
  current_dir = os.path.dirname(__file__) # → lecrapaud/db
47
64
  alembic_ini_path = os.path.join(current_dir, "alembic.ini")
65
+ alembic_dir = os.path.join(
66
+ current_dir, "alembic"
67
+ ) # Use absolute path to alembic directory
48
68
 
49
69
  alembic_cfg = Config(alembic_ini_path)
50
- alembic_cfg.set_main_option("script_location", "lecrapaud.db.alembic")
51
- alembic_cfg.set_main_option("sqlalchemy.url", uri or os.getenv("DATABASE_URL"))
70
+ alembic_cfg.set_main_option("script_location", alembic_dir) # Use absolute path
71
+ alembic_cfg.set_main_option("sqlalchemy.url", DATABASE_URL)
52
72
 
53
73
  command.upgrade(alembic_cfg, "head")
54
74
 
@@ -0,0 +1,263 @@
1
+ Metadata-Version: 2.3
2
+ Name: lecrapaud
3
+ Version: 0.5.0
4
+ Summary: Framework for machine and deep learning, with regression, classification and time series analysis
5
+ License: Apache License
6
+ Author: Pierre H. Gallet
7
+ Requires-Python: ==3.12.*
8
+ Classifier: License :: Other/Proprietary License
9
+ Classifier: Programming Language :: Python :: 3
10
+ Classifier: Programming Language :: Python :: 3.12
11
+ Requires-Dist: backoff (>=2.2.1)
12
+ Requires-Dist: category-encoders (>=2.8.1)
13
+ Requires-Dist: celery (>=5.5.1)
14
+ Requires-Dist: curl-cffi (>=0.11.1)
15
+ Requires-Dist: deep-translator (>=1.11.4)
16
+ Requires-Dist: degiro-connector (>=3.0.26)
17
+ Requires-Dist: fake-useragent (>=2.1.0)
18
+ Requires-Dist: ftfy (>=6.3.1)
19
+ Requires-Dist: honeybadger (>=0.21)
20
+ Requires-Dist: joblib (>=1.4.2)
21
+ Requires-Dist: keras (>=3.9.0)
22
+ Requires-Dist: keras-tcn (>=3.1.2)
23
+ Requires-Dist: lightgbm (>=4.6.0)
24
+ Requires-Dist: matplotlib (>=3.10.1)
25
+ Requires-Dist: mlxtend (>=0.23.4)
26
+ Requires-Dist: numpy (>=2.1.3)
27
+ Requires-Dist: openai (>=1.86.0)
28
+ Requires-Dist: pandas (>=2.2.3)
29
+ Requires-Dist: pandas-market-calendars (>=4.6.1)
30
+ Requires-Dist: playwright (>=1.52.0)
31
+ Requires-Dist: pydantic (>=2.10.6)
32
+ Requires-Dist: python-dotenv (>=1.0.1)
33
+ Requires-Dist: pytz (>=2025.1)
34
+ Requires-Dist: ratelimit (>=2.2.1)
35
+ Requires-Dist: scikit-learn (>=1.6.1)
36
+ Requires-Dist: scipy (>=1.15.2)
37
+ Requires-Dist: seaborn (>=0.13.2)
38
+ Requires-Dist: sentence-transformers (>=3.4.1)
39
+ Requires-Dist: sqlalchemy (>=2.0.39)
40
+ Requires-Dist: tensorboardx (>=2.6.2.2)
41
+ Requires-Dist: tensorflow (>=2.19.0)
42
+ Requires-Dist: tf-keras (>=2.19.0)
43
+ Requires-Dist: tiktoken (>=0.9.0)
44
+ Requires-Dist: tqdm (>=4.67.1)
45
+ Requires-Dist: xgboost (>=3.0.0)
46
+ Requires-Dist: yahoo-fin (>=0.8.9.1)
47
+ Requires-Dist: yfinance (>=0.2.55)
48
+ Description-Content-Type: text/markdown
49
+
50
+ <div align="center">
51
+
52
+ <img src="https://s3.amazonaws.com/pix.iemoji.com/images/emoji/apple/ios-12/256/frog-face.png" width=120 alt="crapaud"/>
53
+
54
+ ## Welcome to LeCrapaud
55
+
56
+ **An all-in-one machine learning framework**
57
+
58
+ [![GitHub stars](https://img.shields.io/github/stars/pierregallet/lecrapaud.svg?style=flat&logo=github&colorB=blue&label=stars)](https://github.com/pierregallet/lecrapaud/stargazers)
59
+ [![PyPI version](https://badge.fury.io/py/lecrapaud.svg)](https://badge.fury.io/py/lecrapaud)
60
+ [![Python versions](https://img.shields.io/pypi/pyversions/lecrapaud.svg)](https://pypi.org/project/lecrapaud)
61
+ [![License](https://img.shields.io/github/license/pierregallet/lecrapaud.svg)](https://github.com/pierregallet/lecrapaud/blob/main/LICENSE)
62
+ [![codecov](https://codecov.io/gh/pierregallet/lecrapaud/branch/main/graph/badge.svg)](https://codecov.io/gh/pierregallet/lecrapaud)
63
+
64
+ </div>
65
+
66
+ ## 🚀 Introduction
67
+
68
+ LeCrapaud is a high-level Python library for end-to-end machine learning workflows on tabular data, with a focus on financial and stock datasets. It provides a simple API to handle feature engineering, model selection, training, and prediction, all in a reproducible and modular way.
69
+
70
+ ## ✨ Key Features
71
+
72
+ - 🧩 Modular pipeline: Feature engineering, preprocessing, selection, and modeling as independent steps
73
+ - 🤖 Automated model selection and hyperparameter optimization
74
+ - 📊 Easy integration with pandas DataFrames
75
+ - 🔬 Supports both regression and classification tasks
76
+ - 🛠️ Simple API for both full pipeline and step-by-step usage
77
+ - 📦 Ready for production and research workflows
78
+
79
+ ## ⚡ Quick Start
80
+
81
+
82
+ ### Install the package
83
+
84
+ ```sh
85
+ pip install lecrapaud
86
+ ```
87
+
88
+ ### How it works
89
+
90
+ This package provides a high-level API to manage experiments for feature engineering, model selection, and prediction on tabular data (e.g. stock data).
91
+
92
+ ### Typical workflow
93
+
94
+ ```python
95
+ from lecrapaud import LeCrapaud
96
+
97
+ # 1. Create the main app
98
+ app = LeCrapaud(uri=uri)
99
+
100
+ # 2. Define your experiment context (see your notebook or api.py for all options)
101
+ context = {
102
+ "data": your_dataframe,
103
+ "columns_drop": [...],
104
+ "columns_date": [...],
105
+ # ... other config options
106
+ }
107
+
108
+ # 3. Create an experiment
109
+ experiment = app.create_experiment(**context)
110
+
111
+ # 4. Run the full training pipeline
112
+ experiment.train(your_dataframe)
113
+
114
+ # 5. Make predictions on new data
115
+ predictions = experiment.predict(new_data)
116
+ ```
117
+
118
+ ### Database Configuration (Required)
119
+
120
+ LeCrapaud requires access to a MySQL database to store experiments and results. You must either:
121
+
122
+ - Pass a valid MySQL URI to the `LeCrapaud` constructor:
123
+ ```python
124
+ app = LeCrapaud(uri="mysql+pymysql://user:password@host:port/dbname")
125
+ ```
126
+ - **OR** set the following environment variables before using the package:
127
+ - `DB_USER`, `DB_PASSWORD`, `DB_HOST`, `DB_PORT`, `DB_NAME`
128
+ - Or set `DB_URI` directly with your full connection string.
129
+
130
+ If neither is provided, database operations will not work.
131
+
132
+ ### Using OpenAI Embeddings (Optional)
133
+
134
+ If you want to use the `columns_pca` embedding feature (for advanced feature engineering), you must set the `OPENAI_API_KEY` environment variable with your OpenAI API key:
135
+
136
+ ```sh
137
+ export OPENAI_API_KEY=sk-...
138
+ ```
139
+
140
+ If this variable is not set, features relying on OpenAI embeddings will not be available.
141
+
142
+ ### Experiment Context Arguments
143
+
144
+ Below are the main arguments you can pass to `create_experiment` (or the `Experiment` class):
145
+
146
+ | Argument | Type | Description | Example/Default |
147
+ | -------------------- | --------- | ---------------------------------------------------------------------------------------- | ------------------ |
148
+ | `columns_binary` | list | Columns to treat as binary | `['flag']` |
149
+ | `columns_boolean` | list | Columns to treat as boolean | `['is_active']` |
150
+ | `columns_date` | list | Columns to treat as dates | `['date']` |
151
+ | `columns_drop` | list | Columns to drop during feature engineering | `['col1', 'col2']` |
152
+ | `columns_frequency` | list | Columns to frequency encode | `['category']` |
153
+ | `columns_onehot` | list | Columns to one-hot encode | `['sector']` |
154
+ | `columns_ordinal` | list | Columns to ordinal encode | `['grade']` |
155
+ | `columns_pca` | list | Columns to use for PCA/embeddings (requires `OPENAI_API_KEY` if using OpenAI embeddings) | `['text_col']` |
156
+ | `columns_te_groupby` | list | Columns for target encoding groupby | `['sector']` |
157
+ | `columns_te_target` | list | Columns for target encoding target | `['target']` |
158
+ | `data` | DataFrame | Your main dataset (required for new experiment) | `your_dataframe` |
159
+ | `date_column` | str | Name of the date column | `'date'` |
160
+ | `group_column` | str | Name of the group column | `'stock_id'` |
161
+ | `max_timesteps` | int | Max timesteps for time series models | `30` |
162
+ | `models_idx` | list | Indices of models to use for model selection | `[0, 1, 2]` |
163
+ | `number_of_trials` | int | Number of trials for hyperparameter optimization | `20` |
164
+ | `perform_crossval` | bool | Whether to perform cross-validation | `True`/`False` |
165
+ | `perform_hyperopt` | bool | Whether to perform hyperparameter optimization | `True`/`False` |
166
+ | `plot` | bool | Whether to plot results | `True`/`False` |
167
+ | `preserve_model` | bool | Whether to preserve the best model | `True`/`False` |
168
+ | `session_name` | str | Name for the training session | `'my_session'` |
169
+ | `target_clf` | list | List of classification target column indices/names | `[1, 2, 3]` |
170
+ | `target_mclf` | list | Multi-class classification targets (not yet implemented) | `[11]` |
171
+ | `target_numbers` | list | List of regression target column indices/names | `[1, 2, 3]` |
172
+ | `test_size` | int/float | Test set size (count or fraction) | `0.2` |
173
+ | `time_series` | bool | Whether the data is time series | `True`/`False` |
174
+ | `val_size` | int/float | Validation set size (count or fraction) | `0.2` |
175
+
176
+ **Note:**
177
+ - Not all arguments are required; defaults may exist for some.
178
+ - For `columns_pca` with OpenAI embeddings, you must set the `OPENAI_API_KEY` environment variable.
179
+
180
+
181
+
182
+ ### Modular usage
183
+
184
+ You can also use each step independently:
185
+
186
+ ```python
187
+ data_eng = experiment.feature_engineering(data)
188
+ train, val, test = experiment.preprocess_feature(data_eng)
189
+ features = experiment.feature_selection(train)
190
+ std_data, reshaped_data = experiment.preprocess_model(train, val, test)
191
+ experiment.model_selection(std_data, reshaped_data)
192
+ ```
193
+
194
+ ## ⚠️ Using Alembic in Your Project (Important for Integrators)
195
+
196
+ If you use Alembic for migrations in your own project and you share the same database with LeCrapaud, you must ensure that Alembic does **not** attempt to drop or modify LeCrapaud tables (those prefixed with `lecrapaud_`).
197
+
198
+ By default, Alembic's autogenerate feature will propose to drop any table that exists in the database but is not present in your project's models. To prevent this, add the following filter to your `env.py`:
199
+
200
+ ```python
201
+ def include_object(object, name, type_, reflected, compare_to):
202
+ if type_ == "table" and name.startswith("lecrapaud_"):
203
+ return False # Ignore LeCrapaud tables
204
+ return True
205
+
206
+ context.configure(
207
+ # ... other options ...
208
+ include_object=include_object,
209
+ )
210
+ ```
211
+
212
+ This will ensure that Alembic ignores all tables created by LeCrapaud when generating migrations for your own project.
213
+
214
+ ---
215
+
216
+ ## 🤝 Contributing
217
+
218
+ ### Reminders for Github usage
219
+
220
+ 1. Creating Github repository
221
+
222
+ ```sh
223
+ $ brew install gh
224
+ $ gh auth login
225
+ $ gh repo create
226
+ ```
227
+
228
+ 2. Initializing git and first commit to distant repository
229
+
230
+ ```sh
231
+ $ git init
232
+ $ git add .
233
+ $ git commit -m 'first commit'
234
+ $ git remote add origin <YOUR_REPO_URL>
235
+ $ git push -u origin master
236
+ ```
237
+
238
+ 3. Use conventional commits
239
+ https://www.conventionalcommits.org/en/v1.0.0/#summary
240
+
241
+ 4. Create environment
242
+
243
+ ```sh
244
+ $ pip install virtualenv
245
+ $ python -m venv .venv
246
+ $ source .venv/bin/activate
247
+ ```
248
+
249
+ 5. Install dependencies
250
+
251
+ ```sh
252
+ $ make install
253
+ ```
254
+
255
+ 6. Deactivate virtualenv (if needed)
256
+
257
+ ```sh
258
+ $ deactivate
259
+ ```
260
+
261
+ ---
262
+
263
+ Pierre Gallet © 2025
@@ -0,0 +1,46 @@
1
+ lecrapaud/__init__.py,sha256=oCxbtw_nk8rlOXbXbWo0RRMlsh6w-hTiZ6e5PRG_wp0,28
2
+ lecrapaud/api.py,sha256=3yAoHTJt1XtjCrLemwZnoY7UyTdsZo9a7-jgbkOnirc,9912
3
+ lecrapaud/config.py,sha256=vtTxu0BTcAKfZWywl0jrdP2SAh6YYHDImncVIUXhf7E,858
4
+ lecrapaud/db/__init__.py,sha256=82o9fMfaqKXPh2_rt44EzNRVZV1R4LScEnQYvj_TjK0,34
5
+ lecrapaud/db/alembic/README,sha256=MVlc9TYmr57RbhXET6QxgyCcwWP7w-vLkEsirENqiIQ,38
6
+ lecrapaud/db/alembic/env.py,sha256=rseEi8oR_eKXYYW3UwOKiCMuDEwT4lxsT7llySOUpgk,2305
7
+ lecrapaud/db/alembic/script.py.mako,sha256=MEqL-2qATlST9TAOeYgscMn1uy6HUS9NFvDgl93dMj8,635
8
+ lecrapaud/db/alembic/versions/2025_06_20_1924-1edada319fd7_initial_setup.py,sha256=zqFFB5VZEMNQstqQ0WAwQGUb2LGhw6-s60QiP60kr_k,13010
9
+ lecrapaud/db/alembic.ini,sha256=zgvur-5jnLsT66_98FaTOTNgjwObGZCE0HqMwRAeJrs,3587
10
+ lecrapaud/db/models/__init__.py,sha256=oiOQitb8zEA7TK262zWLN6xnbZWYfg4eOaKVfAVyAFA,540
11
+ lecrapaud/db/models/base.py,sha256=5JT3W-vAcTmwi9I9JJbHjKjkOKQcJvAs-7d2ndKNecU,5725
12
+ lecrapaud/db/models/dataset.py,sha256=rHzMmJzfJYx0cMZeLaV7X4hgzxfsnbm2iTg9jRXlTZs,3724
13
+ lecrapaud/db/models/feature.py,sha256=5o77O2FyRObnLOCGNj8kaPSGM3pLv1Ov6mXXHYkmnYY,1136
14
+ lecrapaud/db/models/feature_selection.py,sha256=VFsbdsVc4GV4_ivNuVqJuq-uWG6JADnCDD9hOhKoHtE,3300
15
+ lecrapaud/db/models/feature_selection_rank.py,sha256=PvEpdv-JJt2wZMtX5TO0wyZ3IONlPkeDaC49i0VA-qU,2074
16
+ lecrapaud/db/models/model.py,sha256=F0hyMjd4FFHCv6_arIWBEmBCGOfG3b6_uzU8ExtFE90,952
17
+ lecrapaud/db/models/model_selection.py,sha256=DBwVIo6vZTNzeZ5BccXxrZ8CEv0FyLvema0N3XWt7Lc,1812
18
+ lecrapaud/db/models/model_training.py,sha256=egggSfkW8C2nTadytc5DdjU7d2VEMT6LRRZxO1ZD5To,1600
19
+ lecrapaud/db/models/score.py,sha256=VwAP06Ce_B2JF3WmXlIJV9Ej9sUptphyfmEFbYIfRYU,1555
20
+ lecrapaud/db/models/target.py,sha256=LXzfIlX4A7elhi4bwpz_2911o9zc732RY5BkqQKPhn8,1634
21
+ lecrapaud/db/session.py,sha256=bHzg_Dt4eRJvBeaDluR8KpMP0JVylg4njppDRawBxQU,2876
22
+ lecrapaud/directories.py,sha256=wrHmAJ-cBKb0GhJifxrb_RoLhZJX8xdkeirrWs7jQHk,791
23
+ lecrapaud/experiment.py,sha256=ApsGtGaISYsQCdAGa1llzBslfODK-w1_zf44p6Es3Xs,1985
24
+ lecrapaud/feature_engineering.py,sha256=MEPW8-AgO3xnbwMHV3dC_gMtrBeKQhaCDrAicWgXX6w,30251
25
+ lecrapaud/feature_selection.py,sha256=RD016F9_r249VEAe5bLCpB4tHQSbhdMoXRFohkk3c5g,42429
26
+ lecrapaud/integrations/openai_integration.py,sha256=hHLF3fk5Bps8KNbNrEL3NUFa945jwClE6LrLpuMZOd4,7459
27
+ lecrapaud/jobs/__init__.py,sha256=ZkrsyTOR21c_wN7RY8jPhm8jCrL1oCEtTsf3VFIlQiE,292
28
+ lecrapaud/jobs/config.py,sha256=AmO0j3RFjx8H66dfKw_7vnshaOJb9Ox5BAZ9cwwLFMY,377
29
+ lecrapaud/jobs/scheduler.py,sha256=SiYWPxokpKnR8V6btLOO6gbK0PEjSRoeG0kCbQvYPf4,990
30
+ lecrapaud/jobs/tasks.py,sha256=evzhOHpgp6Gvoz__jUipi-_HSNny7bWgAauHv2Hpxyk,1640
31
+ lecrapaud/model_selection.py,sha256=y01yOK5oB9hdeEJkjjavDJvYAUCR3PS6FWRAN43uDzo,61322
32
+ lecrapaud/search_space.py,sha256=6kVXDSmvpTuLKTlqQkKIzrJOM2P7HpqRiO3PR37VrsM,34123
33
+ lecrapaud/services/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
34
+ lecrapaud/services/embedding_categorical.py,sha256=jPKl3GjJ8STk5u0ux9VHbUYq-XRuNULhMJuXdeJAePU,2593
35
+ lecrapaud/services/indicators.py,sha256=1iDxCRzqAeBEwbazQOl_1LJnw_ceM7IiYYWkJbs14s4,9190
36
+ lecrapaud/speed_tests/experiments.py,sha256=m8rz4a0ZwCMQKstK6GLU_FfTyBhFWvWQO807pS7Dz-s,4399
37
+ lecrapaud/speed_tests/test-gpu-bilstm.ipynb,sha256=4nLuZRJVe2kn6kEmauhRiz5wkWT9AVrYhI9CEk_dYUY,9608
38
+ lecrapaud/speed_tests/test-gpu-resnet.ipynb,sha256=27Vu7nYwujYeh3fOxBNCnKJn3MXNPKZU-U8oDDUbymg,4944
39
+ lecrapaud/speed_tests/test-gpu-transformers.ipynb,sha256=k6MBSs_Um1h4PykvE-LTBcdpbWLbIFST_xl_AFW2jgI,8444
40
+ lecrapaud/speed_tests/tests.ipynb,sha256=RjI7LDHSsbadUkea_hT14sD7ivljtIQk4NB5McXJ1bE,3835
41
+ lecrapaud/speed_tests/trash.py,sha256=E4zrrRyVqeNEumWg8rYKquR9VTIULN52eCRqjmv_s58,1647
42
+ lecrapaud/utils.py,sha256=TMlEyU6aRhgiYRtdbvKrlq2t1L9Al5BXfQ3cPbeHlX8,8098
43
+ lecrapaud-0.5.0.dist-info/LICENSE,sha256=MImCryu0AnqhJE_uAZD-PIDKXDKb8sT7v0i1NOYeHTM,11350
44
+ lecrapaud-0.5.0.dist-info/METADATA,sha256=EbLpYtW7ZsUMjynq_NAMULsExznxtPMwzRkJY4jRlXo,11623
45
+ lecrapaud-0.5.0.dist-info/WHEEL,sha256=b4K_helf-jlQoXBBETfwnf4B04YC67LOev0jo4fX5m8,88
46
+ lecrapaud-0.5.0.dist-info/RECORD,,