mirror of
https://github.com/ultralytics/yolov5.git
synced 2025-06-03 14:49:29 +08:00
* Update LICENSE to AGPL-3.0 This pull request updates the license of the YOLOv5 project from GNU General Public License v3.0 (GPL-3.0) to GNU Affero General Public License v3.0 (AGPL-3.0). We at Ultralytics have decided to make this change in order to better protect our intellectual property and ensure that any modifications made to the YOLOv5 source code will be shared back with the community when used over a network. AGPL-3.0 is very similar to GPL-3.0, but with an additional clause to address the use of software over a network. This change ensures that if someone modifies YOLOv5 and provides it as a service over a network (e.g., through a web application or API), they must also make the source code of their modified version available to users of the service. This update includes the following changes: - Replace the `LICENSE` file with the AGPL-3.0 license text - Update the license reference in the `README.md` file - Update the license headers in source code files We believe that this change will promote a more collaborative environment and help drive further innovation within the YOLOv5 community. Please review the changes and let us know if you have any questions or concerns. Signed-off-by: Glenn Jocher <glenn.jocher@ultralytics.com> * Update headers to AGPL-3.0 --------- Signed-off-by: Glenn Jocher <glenn.jocher@ultralytics.com>
83 lines
2.4 KiB
Python
83 lines
2.4 KiB
Python
# YOLOv5 🚀 by Ultralytics, AGPL-3.0 license
|
|
"""
|
|
utils/initialization
|
|
"""
|
|
|
|
import contextlib
|
|
import platform
|
|
import threading
|
|
|
|
|
|
def emojis(str=''):
|
|
# Return platform-dependent emoji-safe version of string
|
|
return str.encode().decode('ascii', 'ignore') if platform.system() == 'Windows' else str
|
|
|
|
|
|
class TryExcept(contextlib.ContextDecorator):
|
|
# YOLOv5 TryExcept class. Usage: @TryExcept() decorator or 'with TryExcept():' context manager
|
|
def __init__(self, msg=''):
|
|
self.msg = msg
|
|
|
|
def __enter__(self):
|
|
pass
|
|
|
|
def __exit__(self, exc_type, value, traceback):
|
|
if value:
|
|
print(emojis(f"{self.msg}{': ' if self.msg else ''}{value}"))
|
|
return True
|
|
|
|
|
|
def threaded(func):
|
|
# Multi-threads a target function and returns thread. Usage: @threaded decorator
|
|
def wrapper(*args, **kwargs):
|
|
thread = threading.Thread(target=func, args=args, kwargs=kwargs, daemon=True)
|
|
thread.start()
|
|
return thread
|
|
|
|
return wrapper
|
|
|
|
|
|
def join_threads(verbose=False):
|
|
# Join all daemon threads, i.e. atexit.register(lambda: join_threads())
|
|
main_thread = threading.current_thread()
|
|
for t in threading.enumerate():
|
|
if t is not main_thread:
|
|
if verbose:
|
|
print(f'Joining thread {t.name}')
|
|
t.join()
|
|
|
|
|
|
def notebook_init(verbose=True):
|
|
# Check system software and hardware
|
|
print('Checking setup...')
|
|
|
|
import os
|
|
import shutil
|
|
|
|
from utils.general import check_font, check_requirements, is_colab
|
|
from utils.torch_utils import select_device # imports
|
|
|
|
check_font()
|
|
|
|
import psutil
|
|
|
|
if is_colab():
|
|
shutil.rmtree('/content/sample_data', ignore_errors=True) # remove colab /sample_data directory
|
|
|
|
# System info
|
|
display = None
|
|
if verbose:
|
|
gb = 1 << 30 # bytes to GiB (1024 ** 3)
|
|
ram = psutil.virtual_memory().total
|
|
total, used, free = shutil.disk_usage('/')
|
|
with contextlib.suppress(Exception): # clear display if ipython is installed
|
|
from IPython import display
|
|
display.clear_output()
|
|
s = f'({os.cpu_count()} CPUs, {ram / gb:.1f} GB RAM, {(total - free) / gb:.1f}/{total / gb:.1f} GB disk)'
|
|
else:
|
|
s = ''
|
|
|
|
select_device(newline=False)
|
|
print(emojis(f'Setup complete ✅ {s}'))
|
|
return display
|