2021-01-15 18:32:32 +01:00
|
|
|
import contextlib
|
2020-12-10 19:04:33 +01:00
|
|
|
import itertools
|
|
|
|
import multiprocessing
|
2020-12-14 18:36:19 +01:00
|
|
|
import os
|
2020-12-22 17:43:23 +01:00
|
|
|
import pickle
|
2021-01-15 18:32:32 +01:00
|
|
|
import urllib
|
|
|
|
from pathlib import Path
|
2022-07-11 16:27:02 +02:00
|
|
|
from contextlib import ExitStack
|
2021-01-27 09:54:41 +01:00
|
|
|
import quapy as qp
|
2021-01-15 18:32:32 +01:00
|
|
|
|
|
|
|
import numpy as np
|
|
|
|
from joblib import Parallel, delayed
|
2020-12-14 18:36:19 +01:00
|
|
|
|
2020-12-10 19:04:33 +01:00
|
|
|
|
2022-06-14 09:35:39 +02:00
|
|
|
def _get_parallel_slices(n_tasks, n_jobs):
|
2020-12-10 19:04:33 +01:00
|
|
|
if n_jobs == -1:
|
|
|
|
n_jobs = multiprocessing.cpu_count()
|
|
|
|
batch = int(n_tasks / n_jobs)
|
|
|
|
remainder = n_tasks % n_jobs
|
2021-11-09 15:44:57 +01:00
|
|
|
return [slice(job * batch, (job + 1) * batch + (remainder if job == n_jobs - 1 else 0)) for job in range(n_jobs)]
|
2020-12-10 19:04:33 +01:00
|
|
|
|
|
|
|
|
2021-01-27 09:54:41 +01:00
|
|
|
def map_parallel(func, args, n_jobs):
|
|
|
|
"""
|
2023-02-08 19:06:53 +01:00
|
|
|
Applies func to n_jobs slices of args. E.g., if args is an array of 99 items and `n_jobs`=2, then
|
2023-01-16 13:51:29 +01:00
|
|
|
func is applied in two parallel processes to args[0:50] and to args[50:99]. func is a function
|
|
|
|
that already works with a list of arguments.
|
2021-11-24 11:20:42 +01:00
|
|
|
|
|
|
|
:param func: function to be parallelized
|
|
|
|
:param args: array-like of arguments to be passed to the function in different parallel calls
|
|
|
|
:param n_jobs: the number of workers
|
2021-01-27 09:54:41 +01:00
|
|
|
"""
|
2020-12-10 19:04:33 +01:00
|
|
|
args = np.asarray(args)
|
2021-11-09 15:44:57 +01:00
|
|
|
slices = _get_parallel_slices(len(args), n_jobs)
|
2020-12-10 19:04:33 +01:00
|
|
|
results = Parallel(n_jobs=n_jobs)(
|
|
|
|
delayed(func)(args[slice_i]) for slice_i in slices
|
|
|
|
)
|
|
|
|
return list(itertools.chain.from_iterable(results))
|
|
|
|
|
|
|
|
|
2022-07-11 16:27:02 +02:00
|
|
|
def parallel(func, args, n_jobs, seed = None):
|
2021-01-27 09:54:41 +01:00
|
|
|
"""
|
|
|
|
A wrapper of multiprocessing:
|
2021-11-24 11:20:42 +01:00
|
|
|
|
|
|
|
>>> Parallel(n_jobs=n_jobs)(
|
|
|
|
>>> delayed(func)(args_i) for args_i in args
|
|
|
|
>>> )
|
|
|
|
|
2022-07-11 16:27:02 +02:00
|
|
|
that takes the `quapy.environ` variable as input silently.
|
|
|
|
Seeds the child processes to ensure reproducibility when n_jobs>1
|
2021-01-27 09:54:41 +01:00
|
|
|
"""
|
2022-07-11 16:27:02 +02:00
|
|
|
def func_dec(environ, seed, *args):
|
2022-06-14 09:35:39 +02:00
|
|
|
qp.environ = environ.copy()
|
|
|
|
qp.environ['N_JOBS'] = 1
|
2022-07-11 16:27:02 +02:00
|
|
|
#set a context with a temporal seed to ensure results are reproducibles in parallel
|
|
|
|
with ExitStack() as stack:
|
|
|
|
if seed is not None:
|
|
|
|
stack.enter_context(qp.util.temp_seed(seed))
|
|
|
|
return func(*args)
|
|
|
|
|
2021-01-27 09:54:41 +01:00
|
|
|
return Parallel(n_jobs=n_jobs)(
|
2022-07-11 16:27:02 +02:00
|
|
|
delayed(func_dec)(qp.environ, None if seed is None else seed+i, args_i) for i, args_i in enumerate(args)
|
2021-01-27 09:54:41 +01:00
|
|
|
)
|
|
|
|
|
|
|
|
|
2020-12-10 19:04:33 +01:00
|
|
|
@contextlib.contextmanager
|
2022-06-21 10:49:30 +02:00
|
|
|
def temp_seed(random_state):
|
2021-11-09 15:44:57 +01:00
|
|
|
"""
|
|
|
|
Can be used in a "with" context to set a temporal seed without modifying the outer numpy's current state. E.g.:
|
2021-11-24 11:20:42 +01:00
|
|
|
|
|
|
|
>>> with temp_seed(random_seed):
|
|
|
|
>>> pass # do any computation depending on np.random functionality
|
|
|
|
|
2022-06-21 10:49:30 +02:00
|
|
|
:param random_state: the seed to set within the "with" context
|
2021-11-09 15:44:57 +01:00
|
|
|
"""
|
2023-02-09 19:39:16 +01:00
|
|
|
if random_state is not None:
|
|
|
|
state = np.random.get_state()
|
|
|
|
#save the seed just in case is needed (for instance for setting the seed to child processes)
|
|
|
|
qp.environ['_R_SEED'] = random_state
|
|
|
|
np.random.seed(random_state)
|
2020-12-10 19:04:33 +01:00
|
|
|
try:
|
|
|
|
yield
|
|
|
|
finally:
|
2023-02-09 19:39:16 +01:00
|
|
|
if random_state is not None:
|
|
|
|
np.random.set_state(state)
|
2020-12-10 19:04:33 +01:00
|
|
|
|
2020-12-14 18:36:19 +01:00
|
|
|
|
|
|
|
def download_file(url, archive_filename):
|
2021-11-24 11:20:42 +01:00
|
|
|
"""
|
|
|
|
Downloads a file from a url
|
|
|
|
|
|
|
|
:param url: the url
|
|
|
|
:param archive_filename: destination filename
|
|
|
|
"""
|
2020-12-14 18:36:19 +01:00
|
|
|
def progress(blocknum, bs, size):
|
|
|
|
total_sz_mb = '%.2f MB' % (size / 1e6)
|
|
|
|
current_sz_mb = '%.2f MB' % ((blocknum * bs) / 1e6)
|
|
|
|
print('\rdownloaded %s / %s' % (current_sz_mb, total_sz_mb), end='')
|
|
|
|
print("Downloading %s" % url)
|
|
|
|
urllib.request.urlretrieve(url, filename=archive_filename, reporthook=progress)
|
|
|
|
print("")
|
|
|
|
|
|
|
|
|
2021-11-24 11:20:42 +01:00
|
|
|
def download_file_if_not_exists(url, archive_filename):
|
|
|
|
"""
|
|
|
|
Dowloads a function (using :meth:`download_file`) if the file does not exist.
|
|
|
|
|
|
|
|
:param url: the url
|
|
|
|
:param archive_filename: destination filename
|
|
|
|
"""
|
|
|
|
if os.path.exists(archive_filename):
|
2020-12-14 18:36:19 +01:00
|
|
|
return
|
2021-11-24 11:20:42 +01:00
|
|
|
create_if_not_exist(os.path.dirname(archive_filename))
|
|
|
|
download_file(url, archive_filename)
|
2020-12-14 18:36:19 +01:00
|
|
|
|
|
|
|
|
|
|
|
def create_if_not_exist(path):
|
2021-11-24 11:20:42 +01:00
|
|
|
"""
|
|
|
|
An alias to `os.makedirs(path, exist_ok=True)` that also returns the path. This is useful in cases like, e.g.:
|
|
|
|
|
|
|
|
>>> path = create_if_not_exist(os.path.join(dir, subdir, anotherdir))
|
|
|
|
|
|
|
|
:param path: path to create
|
|
|
|
:return: the path itself
|
|
|
|
"""
|
2020-12-14 18:36:19 +01:00
|
|
|
os.makedirs(path, exist_ok=True)
|
2021-11-12 14:30:02 +01:00
|
|
|
return path
|
2020-12-14 18:36:19 +01:00
|
|
|
|
|
|
|
|
|
|
|
def get_quapy_home():
|
2021-11-24 11:20:42 +01:00
|
|
|
"""
|
|
|
|
Gets the home directory of QuaPy, i.e., the directory where QuaPy saves permanent data, such as dowloaded datasets.
|
2023-02-08 19:06:53 +01:00
|
|
|
This directory is `~/quapy_data`
|
2021-11-24 11:20:42 +01:00
|
|
|
|
|
|
|
:return: a string representing the path
|
|
|
|
"""
|
2020-12-22 17:43:23 +01:00
|
|
|
home = os.path.join(str(Path.home()), 'quapy_data')
|
|
|
|
os.makedirs(home, exist_ok=True)
|
|
|
|
return home
|
|
|
|
|
|
|
|
|
2021-01-07 17:58:48 +01:00
|
|
|
def create_parent_dir(path):
|
2021-11-24 11:20:42 +01:00
|
|
|
"""
|
|
|
|
Creates the parent dir (if any) of a given path, if not exists. E.g., for `./path/to/file.txt`, the path `./path/to`
|
|
|
|
is created.
|
|
|
|
|
|
|
|
:param path: the path
|
|
|
|
"""
|
2021-11-09 15:44:57 +01:00
|
|
|
parentdir = Path(path).parent
|
|
|
|
if parentdir:
|
|
|
|
os.makedirs(parentdir, exist_ok=True)
|
|
|
|
|
|
|
|
|
|
|
|
def save_text_file(path, text):
|
2021-11-24 11:20:42 +01:00
|
|
|
"""
|
|
|
|
Saves a text file to disk, given its full path, and creates the parent directory if missing.
|
|
|
|
|
|
|
|
:param path: path where to save the path.
|
|
|
|
:param text: text to save.
|
|
|
|
"""
|
2021-11-09 15:44:57 +01:00
|
|
|
create_parent_dir(path)
|
|
|
|
with open(text, 'wt') as fout:
|
|
|
|
fout.write(text)
|
2021-01-07 17:58:48 +01:00
|
|
|
|
|
|
|
|
2020-12-22 17:43:23 +01:00
|
|
|
def pickled_resource(pickle_path:str, generation_func:callable, *args):
|
2021-11-09 15:44:57 +01:00
|
|
|
"""
|
2023-02-08 19:06:53 +01:00
|
|
|
Allows for fast reuse of resources that are generated only once by calling generation_func(\\*args). The next times
|
2021-11-09 15:44:57 +01:00
|
|
|
this function is invoked, it loads the pickled resource. Example:
|
2021-11-24 11:20:42 +01:00
|
|
|
|
|
|
|
>>> def some_array(n): # a mock resource created with one parameter (`n`)
|
|
|
|
>>> return np.random.rand(n)
|
|
|
|
>>> pickled_resource('./my_array.pkl', some_array, 10) # the resource does not exist: it is created by calling some_array(10)
|
|
|
|
>>> pickled_resource('./my_array.pkl', some_array, 10) # the resource exists; it is loaded from './my_array.pkl'
|
|
|
|
|
2021-11-09 15:44:57 +01:00
|
|
|
:param pickle_path: the path where to save (first time) and load (next times) the resource
|
|
|
|
:param generation_func: the function that generates the resource, in case it does not exist in pickle_path
|
|
|
|
:param args: any arg that generation_func uses for generating the resources
|
|
|
|
:return: the resource
|
|
|
|
"""
|
2020-12-22 17:43:23 +01:00
|
|
|
if pickle_path is None:
|
|
|
|
return generation_func(*args)
|
|
|
|
else:
|
|
|
|
if os.path.exists(pickle_path):
|
|
|
|
return pickle.load(open(pickle_path, 'rb'))
|
|
|
|
else:
|
|
|
|
instance = generation_func(*args)
|
|
|
|
os.makedirs(str(Path(pickle_path).parent), exist_ok=True)
|
|
|
|
pickle.dump(instance, open(pickle_path, 'wb'), pickle.HIGHEST_PROTOCOL)
|
|
|
|
return instance
|
2020-12-29 20:33:59 +01:00
|
|
|
|
|
|
|
|
|
|
|
class EarlyStop:
|
2021-11-24 11:20:42 +01:00
|
|
|
"""
|
|
|
|
A class implementing the early-stopping condition typically used for training neural networks.
|
|
|
|
|
|
|
|
>>> earlystop = EarlyStop(patience=2, lower_is_better=True)
|
|
|
|
>>> earlystop(0.9, epoch=0)
|
|
|
|
>>> earlystop(0.7, epoch=1)
|
|
|
|
>>> earlystop.IMPROVED # is True
|
|
|
|
>>> earlystop(1.0, epoch=2)
|
|
|
|
>>> earlystop.STOP # is False (patience=1)
|
|
|
|
>>> earlystop(1.0, epoch=3)
|
|
|
|
>>> earlystop.STOP # is True (patience=0)
|
|
|
|
>>> earlystop.best_epoch # is 1
|
|
|
|
>>> earlystop.best_score # is 0.7
|
|
|
|
|
2023-02-08 19:06:53 +01:00
|
|
|
:param patience: the number of (consecutive) times that a monitored evaluation metric (typically obtaind in a
|
|
|
|
held-out validation split) can be found to be worse than the best one obtained so far, before flagging the
|
|
|
|
stopping condition. An instance of this class is `callable`, and is to be used as follows:
|
2021-11-24 11:20:42 +01:00
|
|
|
:param lower_is_better: if True (default) the metric is to be minimized.
|
|
|
|
:ivar best_score: keeps track of the best value seen so far
|
|
|
|
:ivar best_epoch: keeps track of the epoch in which the best score was set
|
|
|
|
:ivar STOP: flag (boolean) indicating the stopping condition
|
|
|
|
:ivar IMPROVED: flag (boolean) indicating whether there was an improvement in the last call
|
|
|
|
"""
|
2020-12-29 20:33:59 +01:00
|
|
|
|
|
|
|
def __init__(self, patience, lower_is_better=True):
|
2021-11-24 11:20:42 +01:00
|
|
|
|
2020-12-29 20:33:59 +01:00
|
|
|
self.PATIENCE_LIMIT = patience
|
|
|
|
self.better = lambda a,b: a<b if lower_is_better else a>b
|
|
|
|
self.patience = patience
|
|
|
|
self.best_score = None
|
|
|
|
self.best_epoch = None
|
|
|
|
self.STOP = False
|
|
|
|
self.IMPROVED = False
|
|
|
|
|
|
|
|
def __call__(self, watch_score, epoch):
|
2021-11-24 11:20:42 +01:00
|
|
|
"""
|
|
|
|
Commits the new score found in epoch `epoch`. If the score improves over the best score found so far, then
|
|
|
|
the patiente counter gets reset. If otherwise, the patience counter is decreased, and in case it reachs 0,
|
|
|
|
the flag STOP becomes True.
|
|
|
|
|
|
|
|
:param watch_score: the new score
|
|
|
|
:param epoch: the current epoch
|
|
|
|
"""
|
2020-12-29 20:33:59 +01:00
|
|
|
self.IMPROVED = (self.best_score is None or self.better(watch_score, self.best_score))
|
|
|
|
if self.IMPROVED:
|
|
|
|
self.best_score = watch_score
|
|
|
|
self.best_epoch = epoch
|
|
|
|
self.patience = self.PATIENCE_LIMIT
|
|
|
|
else:
|
|
|
|
self.patience -= 1
|
|
|
|
if self.patience <= 0:
|
2023-02-08 19:06:53 +01:00
|
|
|
self.STOP = True
|
|
|
|
|