1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 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 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 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 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 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 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 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
|
# Unit tests for settings_manager.py methods.
#
# Copyright 2025 Igalia, S.L.
# Author: Joanmarie Diggs <jdiggs@igalia.com>
#
# This library is free software; you can redistribute it and/or
# modify it under the terms of the GNU Lesser General Public
# License as published by the Free Software Foundation; either
# version 2.1 of the License, or (at your option) any later version.
#
# This library is distributed in the hope that it will be useful,
# but WITHOUT ANY WARRANTY; without even the implied warranty of
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU
# Lesser General Public License for more details.
#
# You should have received a copy of the GNU Lesser General Public
# License along with this library; if not, write to the
# Free Software Foundation, Inc., Franklin Street, Fifth Floor,
# Boston MA 02110-1301 USA.
# pylint: disable=wrong-import-position
# pylint: disable=import-outside-toplevel
# pylint: disable=protected-access
# pylint: disable=too-many-statements
"""Unit tests for settings_manager.py with real file I/O.
These tests exercise the SettingsManager's file persistence capabilities
using actual file operations (not mocked) to verify settings are correctly
saved and loaded.
"""
from __future__ import annotations
import json
import os
import tempfile
from types import ModuleType
from typing import TYPE_CHECKING, Any
import pytest
if TYPE_CHECKING:
from .orca_test_context import OrcaTestContext
class FakeKeyBinding:
"""Minimal KeyBinding used by override_key_bindings tests."""
def __init__(
self,
keysymstring: str,
modifiers: int,
click_count: int = 1,
) -> None:
self.keysymstring = keysymstring
self.modifiers = modifiers
self.click_count = click_count
class FakeKeyBindings:
"""Minimal KeyBindings container for tests."""
def __init__(self, bindings: list[FakeKeyBinding] | None = None) -> None:
self.key_bindings = list(bindings or [])
def add(self, binding: FakeKeyBinding) -> None:
"""Add a binding."""
self.key_bindings.append(binding)
def remove(self, binding: FakeKeyBinding, include_grabs: bool = False) -> None:
"""Remove a binding."""
del include_grabs
self.key_bindings.remove(binding)
@pytest.mark.unit
class TestSettingsManagerFileIO:
"""Test SettingsManager file I/O operations with real files."""
def _setup_dependencies(self, test_context: OrcaTestContext) -> dict[str, Any]:
"""Set up dependencies for settings_manager testing.
We mock only the dependencies of settings_manager, not settings_manager
itself. We allow the real settings_manager and json_backend to execute
since we're testing actual file I/O.
"""
import sys
# ModuleType allows settings_manager to set attributes on it dynamically
settings_obj: Any = ModuleType("orca.settings")
settings_obj.enableEchoByWord = False
settings_obj.enableEchoByCharacter = False
settings_obj.enableKeyEcho = True
settings_obj.speechServerFactory = None
settings_obj.speechServerInfo = None
settings_obj.voices = {
"default": {},
"uppercase": {"average-pitch": 7.0},
"hyperlink": {},
"system": {},
}
settings_obj.DEFAULT_VOICE = "default"
settings_obj.UPPERCASE_VOICE = "uppercase"
settings_obj.HYPERLINK_VOICE = "hyperlink"
settings_obj.SYSTEM_VOICE = "system"
settings_obj.profile = ["Default", "default"]
settings_obj.startingProfile = ["Default", "default"]
settings_obj.activeProfile = ["Default", "default"]
settings_obj.enableSpeech = True
settings_obj.onlySpeakDisplayedText = False
settings_obj.orcaModifierKeys = ["Insert", "KP_Insert"]
settings_obj.presentTimeFormat = "%X"
# Voice type constants
settings_obj.DEFAULT_VOICE = "default"
settings_obj.UPPERCASE_VOICE = "uppercase"
settings_obj.HYPERLINK_VOICE = "hyperlink"
settings_obj.SYSTEM_VOICE = "system"
# Navigator enabled states
settings_obj.structuralNavigationEnabled = True
settings_obj.tableNavigationEnabled = True
settings_obj.caretNavigationEnabled = True
# Say all style constants
settings_obj.SAYALL_STYLE_LINE = 0
settings_obj.SAYALL_STYLE_SENTENCE = 1
settings_obj.sayAllStyle = 1
# Verbosity constants
settings_obj.VERBOSITY_LEVEL_BRIEF = 0
settings_obj.VERBOSITY_LEVEL_VERBOSE = 1
# Braille constants
settings_obj.enableBraille = False
settings_obj.BRAILLE_UNDERLINE_NONE = 0x00
settings_obj.BRAILLE_UNDERLINE_7 = 0x40
settings_obj.BRAILLE_UNDERLINE_8 = 0x80
settings_obj.BRAILLE_UNDERLINE_BOTH = 0xC0
settings_obj.brailleContractionTable = ""
# Punctuation constants
settings_obj.PUNCTUATION_STYLE_NONE = 3
settings_obj.PUNCTUATION_STYLE_SOME = 2
settings_obj.PUNCTUATION_STYLE_MOST = 1
settings_obj.PUNCTUATION_STYLE_ALL = 0
# Progress bar constants
settings_obj.PROGRESS_BAR_ALL = 0
settings_obj.PROGRESS_BAR_APPLICATION = 1
settings_obj.PROGRESS_BAR_WINDOW = 2
# Keyboard layout constants
settings_obj.GENERAL_KEYBOARD_LAYOUT_DESKTOP = 1
settings_obj.GENERAL_KEYBOARD_LAYOUT_LAPTOP = 2
settings_obj.DESKTOP_MODIFIER_KEYS = ["Insert", "KP_Insert"]
settings_obj.LAPTOP_MODIFIER_KEYS = ["Caps_Lock", "Shift_Lock"]
settings_obj.keyboardLayout = 1
# Capitalization constants
settings_obj.CAPITALIZATION_STYLE_NONE = "none"
settings_obj.CAPITALIZATION_STYLE_SPELL = "spell"
settings_obj.CAPITALIZATION_STYLE_ICON = "icon"
# Chat constants
settings_obj.CHAT_SPEAK_ALL = 0
settings_obj.CHAT_SPEAK_ALL_IF_FOCUSED = 1
settings_obj.CHAT_SPEAK_FOCUSED_CHANNEL = 2
# Find constants
settings_obj.FIND_SPEAK_NONE = 0
settings_obj.FIND_SPEAK_IF_LINE_CHANGED = 1
settings_obj.FIND_SPEAK_ALL = 2
# Various other settings
settings_obj.wrappedStructuralNavigation = True
settings_obj.structNavTriggersFocusMode = True
settings_obj.largeObjectTextLength = 75
settings_obj.enableEchoBySentence = False
settings_obj.flatReviewIsRestricted = False
settings_obj.enableMouseReview = False
settings_obj.mouseDwellDelay = 0
essential_modules: dict[str, Any] = {}
debug_mock = test_context.Mock()
debug_mock.LEVEL_INFO = 800
debug_mock.LEVEL_ALL = 0
debug_mock.debugFile = None # Needed for debugging_tools_manager initialization
debug_mock.print_message = test_context.Mock()
debug_mock.print_tokens = test_context.Mock()
test_context.patch_module("orca.debug", debug_mock)
essential_modules["orca.debug"] = debug_mock
i18n_mock = test_context.Mock()
i18n_mock._ = lambda x: x
i18n_mock.C_ = lambda c, x: x
i18n_mock.ngettext = lambda s, p, n: s if n == 1 else p
i18n_mock.setLocaleForNames = test_context.Mock()
i18n_mock.setLocaleForMessages = test_context.Mock()
i18n_mock.setLocaleForGUI = test_context.Mock()
test_context.patch_module("orca.orca_i18n", i18n_mock)
essential_modules["orca.orca_i18n"] = i18n_mock
acss_mock = test_context.Mock()
class MockACSS(dict):
def getLocale(self) -> str:
return "en_US"
def getDialect(self) -> str | None:
return None
acss_mock.ACSS = MockACSS
test_context.patch_module("orca.acss", acss_mock)
essential_modules["orca.acss"] = acss_mock
pronun_manager_mock = test_context.Mock()
pronun_manager_mock.set_dictionary = test_context.Mock()
pronun_manager_mock.set_pronunciation = test_context.Mock()
pronun_manager_mock.get_pronunciation = test_context.Mock(side_effect=lambda w: w)
pronun_manager_mock.get_dictionary = test_context.Mock(return_value={})
pronun_module_mock = test_context.Mock()
pronun_module_mock.get_manager = test_context.Mock(return_value=pronun_manager_mock)
test_context.patch_module("orca.pronunciation_dictionary_manager", pronun_module_mock)
essential_modules["orca.pronunciation_dictionary_manager"] = pronun_module_mock
# Mock orca_platform (generated at build time)
platform_mock = test_context.Mock()
platform_mock.version = "test_version"
platform_mock.tablesdir = "/usr/share/liblouis/tables" # Standard location
test_context.patch_module("orca.orca_platform", platform_mock)
essential_modules["orca.orca_platform"] = platform_mock
# Mock messages (uses orca_platform)
messages_mock = test_context.Mock()
test_context.patch_module("orca.messages", messages_mock)
essential_modules["orca.messages"] = messages_mock
# Mock pronunciation_dictionary_manager (uses messages)
pronun_dict_manager_mock = test_context.Mock()
pronun_dict_manager_mock.get_manager = test_context.Mock(return_value=test_context.Mock())
test_context.patch_module("orca.pronunciation_dictionary_manager", pronun_dict_manager_mock)
essential_modules["orca.pronunciation_dictionary_manager"] = pronun_dict_manager_mock
keybindings_mock = test_context.Mock()
keybindings_mock.KeyBinding = test_context.Mock()
test_context.patch_module("orca.keybindings", keybindings_mock)
essential_modules["orca.keybindings"] = keybindings_mock
# Mock script_manager to avoid cascading dependencies
script_manager_mock = test_context.Mock()
script_manager_mock.get_manager = test_context.Mock(return_value=test_context.Mock())
test_context.patch_module("orca.script_manager", script_manager_mock)
essential_modules["orca.script_manager"] = script_manager_mock
ax_object_mock = test_context.Mock()
ax_object_mock.get_name = test_context.Mock(return_value="TestApp")
ax_object_class = test_context.Mock()
ax_object_class.get_name = test_context.Mock(return_value="TestApp")
ax_object_mock.AXObject = ax_object_class
test_context.patch_module("orca.ax_object", ax_object_mock)
essential_modules["orca.ax_object"] = ax_object_mock
# Inject settings AFTER other mocks but BEFORE importing settings_manager
sys.modules["orca.settings"] = settings_obj
essential_modules["orca.settings"] = settings_obj
return essential_modules
def _create_fresh_manager(self, test_context: OrcaTestContext, prefs_dir: str) -> Any:
"""Create a fresh SettingsManager instance for testing."""
from orca import settings_manager
manager = settings_manager.SettingsManager()
manager.activate(prefs_dir=prefs_dir)
return manager
def test_save_settings_creates_file(self, test_context: OrcaTestContext) -> None:
"""Test that save_settings creates the user-settings.conf file."""
self._setup_dependencies(test_context)
with tempfile.TemporaryDirectory() as temp_dir:
self._create_fresh_manager(test_context, temp_dir)
settings_file = os.path.join(temp_dir, "user-settings.conf")
assert os.path.exists(settings_file)
with open(settings_file, "r", encoding="utf-8") as f:
data = json.load(f)
assert "startingProfile" in data
assert "profiles" in data
# Legacy keys for backwards compatibility with older Orca versions
assert "general" in data
assert "pronunciations" in data
assert "keybindings" in data
def test_save_settings_persists_general(self, test_context: OrcaTestContext) -> None:
"""Test that general settings are persisted to file and can be reloaded."""
self._setup_dependencies(test_context)
with tempfile.TemporaryDirectory() as temp_dir:
manager = self._create_fresh_manager(test_context, temp_dir)
mock_script = test_context.Mock()
mock_script.app = None
test_value = True
general_settings = manager.get_settings()
general_settings["enableEchoByWord"] = test_value
general_settings["profile"] = ["Default", "default"]
manager.save_settings(mock_script, general_settings, {}, {})
manager2 = self._create_fresh_manager(test_context, temp_dir)
loaded_general = manager2.get_general_settings("default")
assert loaded_general.get("enableEchoByWord") == test_value
def test_save_settings_persists_pronunciations(self, test_context: OrcaTestContext) -> None:
"""Test that pronunciation settings are persisted to file."""
self._setup_dependencies(test_context)
with tempfile.TemporaryDirectory() as temp_dir:
manager = self._create_fresh_manager(test_context, temp_dir)
mock_script = test_context.Mock()
mock_script.app = None
test_pronunciations = {"API": ["API", "A P I"]}
general_settings = manager.get_settings()
general_settings["profile"] = ["Default", "default"]
manager.save_settings(mock_script, general_settings, test_pronunciations, {})
manager2 = self._create_fresh_manager(test_context, temp_dir)
loaded_pronunciations = manager2.get_pronunciations("default")
assert loaded_pronunciations.get("API") == ["API", "A P I"]
def test_save_settings_persists_keybindings(self, test_context: OrcaTestContext) -> None:
"""Test that keybinding settings are persisted to file."""
self._setup_dependencies(test_context)
with tempfile.TemporaryDirectory() as temp_dir:
manager = self._create_fresh_manager(test_context, temp_dir)
mock_script = test_context.Mock()
mock_script.app = None
test_keybindings = {"someHandler": [("a", 1, 0, 1)]}
general_settings = manager.get_settings()
general_settings["profile"] = ["Default", "default"]
manager.save_settings(mock_script, general_settings, {}, test_keybindings)
manager2 = self._create_fresh_manager(test_context, temp_dir)
loaded_keybindings = manager2.get_keybindings("default")
assert loaded_keybindings.get("someHandler") == [["a", 1, 0, 1]]
def test_available_profiles_default(self, test_context: OrcaTestContext) -> None:
"""Test that a fresh start has the 'default' profile available."""
self._setup_dependencies(test_context)
with tempfile.TemporaryDirectory() as temp_dir:
manager = self._create_fresh_manager(test_context, temp_dir)
profiles = manager.available_profiles()
assert any("default" in str(p).lower() for p in profiles)
def test_get_profile_returns_current(self, test_context: OrcaTestContext) -> None:
"""Test that get_profile returns the current profile name."""
self._setup_dependencies(test_context)
with tempfile.TemporaryDirectory() as temp_dir:
manager = self._create_fresh_manager(test_context, temp_dir)
profile = manager.get_profile()
assert profile == "default"
def test_set_profile_switches_context(self, test_context: OrcaTestContext) -> None:
"""Test that set_profile switches to the specified profile."""
self._setup_dependencies(test_context)
with tempfile.TemporaryDirectory() as temp_dir:
manager = self._create_fresh_manager(test_context, temp_dir)
mock_script = test_context.Mock()
mock_script.app = None
general_work = manager.get_settings()
general_work["profile"] = ["Work", "work"]
general_work["enableEchoByWord"] = True
manager.save_settings(mock_script, general_work, {}, {})
manager.set_profile("default")
general_default = manager.get_settings()
general_default["profile"] = ["Default", "default"]
general_default["enableEchoByWord"] = False
manager.save_settings(mock_script, general_default, {}, {})
manager.set_profile("work")
assert manager.get_profile() == "work"
manager.set_profile("default")
assert manager.get_profile() == "default"
def test_save_profile_settings_separate_from_default(
self, test_context: OrcaTestContext
) -> None:
"""Test that multiple profiles don't interfere with each other."""
self._setup_dependencies(test_context)
with tempfile.TemporaryDirectory() as temp_dir:
manager = self._create_fresh_manager(test_context, temp_dir)
mock_script = test_context.Mock()
mock_script.app = None
general_work = manager.get_settings()
general_work["profile"] = ["Work", "work"]
general_work["enableEchoByWord"] = True
manager.save_settings(mock_script, general_work, {}, {})
manager.set_profile("default")
general_default = manager.get_settings()
general_default["profile"] = ["Default", "default"]
general_default["enableEchoByWord"] = False
manager.save_settings(mock_script, general_default, {}, {})
manager2 = self._create_fresh_manager(test_context, temp_dir)
work_settings = manager2.get_general_settings("work")
default_settings = manager2.get_general_settings("default")
assert work_settings.get("enableEchoByWord") is True
assert default_settings.get("enableEchoByWord") is False
def test_remove_profile(self, test_context: OrcaTestContext) -> None:
"""Test that remove_profile removes a profile."""
self._setup_dependencies(test_context)
with tempfile.TemporaryDirectory() as temp_dir:
manager = self._create_fresh_manager(test_context, temp_dir)
mock_script = test_context.Mock()
mock_script.app = None
general_temp = manager.get_settings()
general_temp["profile"] = ["Temporary", "temporary"]
manager.save_settings(mock_script, general_temp, {}, {})
profiles_before = manager.available_profiles()
assert any("temporary" in str(p).lower() for p in profiles_before)
manager.remove_profile("temporary")
manager2 = self._create_fresh_manager(test_context, temp_dir)
profiles_after = manager2.available_profiles()
assert not any("temporary" in str(p).lower() for p in profiles_after)
def test_save_app_settings_creates_app_file(self, test_context: OrcaTestContext) -> None:
"""Test that app-specific settings are saved to a separate file."""
essential_modules = self._setup_dependencies(test_context)
ax_object_mock = essential_modules["orca.ax_object"]
ax_object_mock.get_name = test_context.Mock(return_value="TestApp")
with tempfile.TemporaryDirectory() as temp_dir:
manager = self._create_fresh_manager(test_context, temp_dir)
from orca import settings_manager
test_context.patch_object(settings_manager, "AXObject", new=ax_object_mock)
mock_script = test_context.Mock()
mock_app = test_context.Mock()
mock_script.app = mock_app
general_settings = manager.get_settings()
general_settings["enableEchoByWord"] = True
manager.save_settings(mock_script, general_settings, {}, {})
app_settings_file = os.path.join(temp_dir, "app-settings", "TestApp.conf")
assert os.path.exists(app_settings_file)
with open(app_settings_file, "r", encoding="utf-8") as f:
data = json.load(f)
assert "profiles" in data
def test_get_prefs_dir(self, test_context: OrcaTestContext) -> None:
"""Test that get_prefs_dir returns the configured preferences directory."""
self._setup_dependencies(test_context)
with tempfile.TemporaryDirectory() as temp_dir:
manager = self._create_fresh_manager(test_context, temp_dir)
assert manager.get_prefs_dir() == temp_dir
def test_settings_file_structure(self, test_context: OrcaTestContext) -> None:
"""Test that the settings file has the expected JSON structure."""
self._setup_dependencies(test_context)
with tempfile.TemporaryDirectory() as temp_dir:
self._create_fresh_manager(test_context, temp_dir)
settings_file = os.path.join(temp_dir, "user-settings.conf")
with open(settings_file, "r", encoding="utf-8") as f:
data = json.load(f)
assert "startingProfile" in data
assert "profiles" in data
assert "default" in data["profiles"]
# Legacy keys for backwards compatibility with older Orca versions
assert "general" in data
assert "pronunciations" in data
assert "keybindings" in data
# Legacy general must contain all default settings for backwards compatibility
assert "orcaModifierKeys" in data["general"]
assert "presentTimeFormat" in data["general"]
def test_starting_profile_persistence(self, test_context: OrcaTestContext) -> None:
"""Test that the starting profile setting is persisted correctly."""
self._setup_dependencies(test_context)
with tempfile.TemporaryDirectory() as temp_dir:
manager = self._create_fresh_manager(test_context, temp_dir)
manager.set_starting_profile(["Work", "work"])
settings_file = os.path.join(temp_dir, "user-settings.conf")
with open(settings_file, "r", encoding="utf-8") as f:
data = json.load(f)
assert data["startingProfile"] == ["Work", "work"]
# Legacy key for backwards compatibility with older Orca versions
assert data["general"]["startingProfile"] == ["Work", "work"]
def test_configuring_mode(self, test_context: OrcaTestContext) -> None:
"""Test that set_configuring and is_configuring work correctly."""
self._setup_dependencies(test_context)
with tempfile.TemporaryDirectory() as temp_dir:
manager = self._create_fresh_manager(test_context, temp_dir)
assert manager.is_configuring() is False
manager.set_configuring(True)
assert manager.is_configuring() is True
manager.set_configuring(False)
assert manager.is_configuring() is False
def test_rename_profile(self, test_context: OrcaTestContext) -> None:
"""Test that rename_profile renames a profile's label and internal name."""
self._setup_dependencies(test_context)
with tempfile.TemporaryDirectory() as temp_dir:
manager = self._create_fresh_manager(test_context, temp_dir)
mock_script = test_context.Mock()
mock_script.app = None
general_old = manager.get_settings()
general_old["profile"] = ["Old Name", "old_name"]
general_old["enableEchoByWord"] = True
manager.save_settings(mock_script, general_old, {}, {})
profiles_before = manager.available_profiles()
assert any("old_name" in str(p) for p in profiles_before)
manager.rename_profile("old_name", ["New Name", "new_name"])
manager2 = self._create_fresh_manager(test_context, temp_dir)
profiles_after = manager2.available_profiles()
assert not any("old_name" in str(p) for p in profiles_after)
assert any("new_name" in str(p) for p in profiles_after)
new_settings = manager2.get_general_settings("new_name")
assert new_settings.get("enableEchoByWord") is True
assert new_settings.get("profile") == ["New Name", "new_name"]
def test_rename_profile_nonexistent(self, test_context: OrcaTestContext) -> None:
"""Test that rename_profile does nothing for a nonexistent profile."""
self._setup_dependencies(test_context)
with tempfile.TemporaryDirectory() as temp_dir:
manager = self._create_fresh_manager(test_context, temp_dir)
profiles_before = manager.available_profiles()
manager.rename_profile("nonexistent", ["New Name", "new_name"])
manager2 = self._create_fresh_manager(test_context, temp_dir)
profiles_after = manager2.available_profiles()
assert profiles_before == profiles_after
def test_snapshot_settings_captures_values(self, test_context: OrcaTestContext) -> None:
"""Test that snapshot_settings captures current runtime settings."""
essential_modules = self._setup_dependencies(test_context)
settings_obj = essential_modules["orca.settings"]
with tempfile.TemporaryDirectory() as temp_dir:
manager = self._create_fresh_manager(test_context, temp_dir)
settings_obj.enableEchoByWord = True
settings_obj.enableKeyEcho = False
snapshot = manager.snapshot_settings()
assert snapshot.get("enableEchoByWord") is True
assert snapshot.get("enableKeyEcho") is False
def test_snapshot_settings_excludes_excluded_settings(
self, test_context: OrcaTestContext
) -> None:
"""Test that snapshot_settings excludes settings in _EXCLUDED_SETTINGS."""
essential_modules = self._setup_dependencies(test_context)
settings_obj = essential_modules["orca.settings"]
with tempfile.TemporaryDirectory() as temp_dir:
manager = self._create_fresh_manager(test_context, temp_dir)
settings_obj.silenceSpeech = True
snapshot = manager.snapshot_settings()
assert "silenceSpeech" not in snapshot
def test_restore_settings_restores_values(self, test_context: OrcaTestContext) -> None:
"""Test that restore_settings restores values from a snapshot."""
essential_modules = self._setup_dependencies(test_context)
settings_obj = essential_modules["orca.settings"]
with tempfile.TemporaryDirectory() as temp_dir:
manager = self._create_fresh_manager(test_context, temp_dir)
settings_obj.enableEchoByWord = True
settings_obj.enableKeyEcho = False
snapshot = manager.snapshot_settings()
settings_obj.enableEchoByWord = False
settings_obj.enableKeyEcho = True
manager.restore_settings(snapshot)
assert settings_obj.enableEchoByWord is True
assert settings_obj.enableKeyEcho is False
def test_snapshot_restore_preserves_excluded_settings(
self, test_context: OrcaTestContext
) -> None:
"""Test that excluded settings are not affected by snapshot/restore."""
essential_modules = self._setup_dependencies(test_context)
settings_obj = essential_modules["orca.settings"]
with tempfile.TemporaryDirectory() as temp_dir:
manager = self._create_fresh_manager(test_context, temp_dir)
settings_obj.silenceSpeech = False
snapshot = manager.snapshot_settings()
settings_obj.silenceSpeech = True
manager.restore_settings(snapshot)
# silenceSpeech should remain True because it's excluded from snapshots
assert settings_obj.silenceSpeech is True
|