Compare commits
1 Commits
main
...
cc6f527371
Author | SHA1 | Date | |
---|---|---|---|
cc6f527371
|
17
CHANGELOG.md
17
CHANGELOG.md
@ -3,23 +3,6 @@
|
|||||||
Все заметные изменения в этом проекте фиксируются в этом файле.
|
Все заметные изменения в этом проекте фиксируются в этом файле.
|
||||||
Формат основан на [Keep a Changelog](https://keepachangelog.com/) и придерживается принципов [Semantic Versioning](https://semver.org/).
|
Формат основан на [Keep a Changelog](https://keepachangelog.com/) и придерживается принципов [Semantic Versioning](https://semver.org/).
|
||||||
|
|
||||||
## [Unreleased]
|
|
||||||
|
|
||||||
### Added
|
|
||||||
|
|
||||||
|
|
||||||
### Changed
|
|
||||||
- Уменьшена длительность анимации открытия карточки с 800 до 350мс
|
|
||||||
- Контекстное меню при открытие теперь сразу фокусируется на первом элементе
|
|
||||||
|
|
||||||
### Fixed
|
|
||||||
- legendary list теперь не вызывается если вход в EGS не был произведён
|
|
||||||
|
|
||||||
|
|
||||||
### Contributors
|
|
||||||
|
|
||||||
---
|
|
||||||
|
|
||||||
## [0.1.4] - 2025-07-21
|
## [0.1.4] - 2025-07-21
|
||||||
|
|
||||||
### Added
|
### Added
|
||||||
|
@ -33,7 +33,7 @@ class PySide6DependencyAnalyzer:
|
|||||||
"""Находит все Python файлы в директории"""
|
"""Находит все Python файлы в директории"""
|
||||||
python_files = []
|
python_files = []
|
||||||
for root, dirs, files in os.walk(directory):
|
for root, dirs, files in os.walk(directory):
|
||||||
dirs[:] = [d for d in dirs if d not in {'.venv', '__pycache__', '.git'}]
|
dirs[:] = [d for d in dirs if d not in {'.venv', '__pycache__', '.git', 'node_modules'}]
|
||||||
|
|
||||||
for file in files:
|
for file in files:
|
||||||
if file.endswith('.py'):
|
if file.endswith('.py'):
|
||||||
@ -44,24 +44,43 @@ class PySide6DependencyAnalyzer:
|
|||||||
"""Находит все PySide6 библиотеки (.so файлы)"""
|
"""Находит все PySide6 библиотеки (.so файлы)"""
|
||||||
libs = {}
|
libs = {}
|
||||||
|
|
||||||
# Поиск в единственной локации
|
# Поиск в разных возможных локациях
|
||||||
search_path = Path("../.venv/lib/python3.10/site-packages/PySide6")
|
search_paths = [
|
||||||
print(f"Поиск PySide6 библиотек в: {search_path}")
|
base_path / "usr/local/lib/python3.10/dist-packages/PySide6",
|
||||||
|
base_path / "usr/local/lib/python3.11/dist-packages/PySide6",
|
||||||
|
base_path / "usr/lib/python3/dist-packages/PySide6",
|
||||||
|
base_path / ".venv/lib/python3.10/site-packages/PySide6",
|
||||||
|
base_path / ".venv/lib/python3.11/site-packages/PySide6",
|
||||||
|
]
|
||||||
|
|
||||||
if search_path.exists():
|
# Также добавляем путь, если PySide6 установлен системно
|
||||||
# Ищем .so файлы модулей
|
try:
|
||||||
for so_file in search_path.glob("Qt*.*.so"):
|
import PySide6
|
||||||
module_name = so_file.stem.split('.')[0] # QtCore.abi3.so -> QtCore
|
system_path = Path(PySide6.__file__).parent
|
||||||
if module_name.startswith('Qt'):
|
search_paths.append(system_path)
|
||||||
libs[module_name] = so_file
|
except ImportError:
|
||||||
|
pass
|
||||||
|
|
||||||
# Также ищем в подпапках
|
for search_path in search_paths:
|
||||||
for subdir in search_path.iterdir():
|
if search_path.exists():
|
||||||
if subdir.is_dir() and subdir.name.startswith('Qt'):
|
print(f"Поиск PySide6 библиотек в: {search_path}")
|
||||||
for so_file in subdir.glob("*.so*"):
|
|
||||||
if 'Qt' in so_file.name:
|
# Ищем .so файлы модулей
|
||||||
libs[subdir.name] = so_file
|
for so_file in search_path.glob("Qt*.*.so"):
|
||||||
break
|
module_name = so_file.stem.split('.')[0] # QtCore.abi3.so -> QtCore
|
||||||
|
if module_name.startswith('Qt'):
|
||||||
|
libs[module_name] = so_file
|
||||||
|
|
||||||
|
# Также ищем в подпапках
|
||||||
|
for subdir in search_path.iterdir():
|
||||||
|
if subdir.is_dir() and subdir.name.startswith('Qt'):
|
||||||
|
for so_file in subdir.glob("*.so*"):
|
||||||
|
if 'Qt' in so_file.name:
|
||||||
|
libs[subdir.name] = so_file
|
||||||
|
break
|
||||||
|
|
||||||
|
if libs:
|
||||||
|
break
|
||||||
|
|
||||||
return libs
|
return libs
|
||||||
|
|
||||||
@ -347,13 +366,13 @@ def main():
|
|||||||
print(f"\nПотенциальная экономия места: {results['analysis_summary']['space_saving_potential']}")
|
print(f"\nПотенциальная экономия места: {results['analysis_summary']['space_saving_potential']}")
|
||||||
|
|
||||||
if args.verbose and results['real_dependencies']:
|
if args.verbose and results['real_dependencies']:
|
||||||
Devlin(f"\nРеальные зависимости (ldd):")
|
print(f"\nРеальные зависимости (ldd):")
|
||||||
for module, deps in results['real_dependencies'].items():
|
for module, deps in results['real_dependencies'].items():
|
||||||
if deps:
|
if deps:
|
||||||
print(f" {module} → {', '.join(deps)}")
|
print(f" {module} → {', '.join(deps)}")
|
||||||
|
|
||||||
# Обновляем AppImage рецепт
|
# Обновляем AppImage рецепт
|
||||||
recipe_path = Path("../build-aux/AppImageBuilder.yml")
|
recipe_path = project_path / "../build-aux/AppImageBuilder.yml"
|
||||||
if recipe_path.exists():
|
if recipe_path.exists():
|
||||||
updated_recipe = analyzer.generate_appimage_recipe(results['removable'], recipe_path)
|
updated_recipe = analyzer.generate_appimage_recipe(results['removable'], recipe_path)
|
||||||
if updated_recipe:
|
if updated_recipe:
|
||||||
|
@ -280,12 +280,7 @@ class ContextMenuManager:
|
|||||||
)
|
)
|
||||||
)
|
)
|
||||||
|
|
||||||
# Устанавливаем фокус на первый элемент меню
|
menu.exec(game_card.mapToGlobal(pos))
|
||||||
actions = menu.actions()
|
|
||||||
if actions:
|
|
||||||
menu.setActiveAction(actions[0])
|
|
||||||
|
|
||||||
menu.exec(game_card.mapToGlobal(pos))
|
|
||||||
|
|
||||||
def _launch_game(self, game_card):
|
def _launch_game(self, game_card):
|
||||||
"""
|
"""
|
||||||
|
@ -747,11 +747,6 @@ def _continue_loading_egs_games(legendary_path: str, callback: Callable[[list[tu
|
|||||||
games: list[tuple] = []
|
games: list[tuple] = []
|
||||||
cache_dir.mkdir(parents=True, exist_ok=True)
|
cache_dir.mkdir(parents=True, exist_ok=True)
|
||||||
|
|
||||||
user_json_path = cache_dir / "user.json"
|
|
||||||
if not user_json_path.exists():
|
|
||||||
callback(games)
|
|
||||||
return
|
|
||||||
|
|
||||||
def process_games(installed_games: list | None):
|
def process_games(installed_games: list | None):
|
||||||
if installed_games is None:
|
if installed_games is None:
|
||||||
logger.info("No installed Epic Games Store games found")
|
logger.info("No installed Epic Games Store games found")
|
||||||
@ -860,12 +855,12 @@ def _continue_loading_egs_games(legendary_path: str, callback: Callable[[list[tu
|
|||||||
app_name,
|
app_name,
|
||||||
f"legendary:launch:{app_name}",
|
f"legendary:launch:{app_name}",
|
||||||
"",
|
"",
|
||||||
last_launch,
|
last_launch, # Время последнего запуска
|
||||||
formatted_playtime,
|
formatted_playtime, # Форматированное время игры
|
||||||
protondb_tier,
|
protondb_tier, # ProtonDB tier
|
||||||
status or "",
|
status or "",
|
||||||
last_launch_timestamp,
|
last_launch_timestamp, # Временная метка последнего запуска
|
||||||
playtime_seconds,
|
playtime_seconds, # Время игры в секундах
|
||||||
"epic"
|
"epic"
|
||||||
)
|
)
|
||||||
pending_images -= 1
|
pending_images -= 1
|
||||||
@ -885,7 +880,7 @@ def _continue_loading_egs_games(legendary_path: str, callback: Callable[[list[tu
|
|||||||
get_protondb_tier_async(steam_appid, on_protondb_tier)
|
get_protondb_tier_async(steam_appid, on_protondb_tier)
|
||||||
else:
|
else:
|
||||||
logger.debug(f"No Steam app found for EGS game {title}")
|
logger.debug(f"No Steam app found for EGS game {title}")
|
||||||
on_protondb_tier("")
|
on_protondb_tier("") # Proceed with empty ProtonDB tier
|
||||||
|
|
||||||
get_steam_apps_and_index_async(on_steam_apps)
|
get_steam_apps_and_index_async(on_steam_apps)
|
||||||
|
|
||||||
|
@ -1883,7 +1883,7 @@ class MainWindow(QMainWindow):
|
|||||||
opacityEffect = QGraphicsOpacityEffect(detailPage)
|
opacityEffect = QGraphicsOpacityEffect(detailPage)
|
||||||
detailPage.setGraphicsEffect(opacityEffect)
|
detailPage.setGraphicsEffect(opacityEffect)
|
||||||
animation = QPropertyAnimation(opacityEffect, QByteArray(b"opacity"))
|
animation = QPropertyAnimation(opacityEffect, QByteArray(b"opacity"))
|
||||||
animation.setDuration(350)
|
animation.setDuration(800)
|
||||||
animation.setStartValue(0)
|
animation.setStartValue(0)
|
||||||
animation.setEndValue(1)
|
animation.setEndValue(1)
|
||||||
animation.start(QAbstractAnimation.DeletionPolicy.DeleteWhenStopped)
|
animation.start(QAbstractAnimation.DeletionPolicy.DeleteWhenStopped)
|
||||||
|
Reference in New Issue
Block a user