mirror of
				https://github.com/esphome/esphome.git
				synced 2025-10-26 12:08:41 +00:00 
			
		
		
		
	Compare commits
	
		
			2 Commits
		
	
	
		
			automation
			...
			web_server
		
	
	| Author | SHA1 | Date | |
|---|---|---|---|
|   | a8d120ca09 | ||
|   | 4bd5e3da50 | 
| @@ -186,11 +186,6 @@ This document provides essential context for AI models interacting with this pro | ||||
|         └── components/[component]/ # Component-specific tests | ||||
|         ``` | ||||
|         Run them using `script/test_build_components`. Use `-c <component>` to test specific components and `-t <target>` for specific platforms. | ||||
|     *   **Testing All Components Together:** To verify that all components can be tested together without ID conflicts or configuration issues, use: | ||||
|         ```bash | ||||
|         ./script/test_component_grouping.py -e config --all | ||||
|         ``` | ||||
|         This tests all components in a single build to catch conflicts that might not appear when testing components individually. Use `-e config` for fast configuration validation, or `-e compile` for full compilation testing. | ||||
| *   **Debugging and Troubleshooting:** | ||||
|     *   **Debug Tools:** | ||||
|         - `esphome config <file>.yaml` to validate configuration. | ||||
| @@ -221,146 +216,6 @@ This document provides essential context for AI models interacting with this pro | ||||
|     *   **Component Development:** Keep dependencies minimal, provide clear error messages, and write comprehensive docstrings and tests. | ||||
|     *   **Code Generation:** Generate minimal and efficient C++ code. Validate all user inputs thoroughly. Support multiple platform variations. | ||||
|     *   **Configuration Design:** Aim for simplicity with sensible defaults, while allowing for advanced customization. | ||||
|     *   **Embedded Systems Optimization:** ESPHome targets resource-constrained microcontrollers. Be mindful of flash size and RAM usage. | ||||
|  | ||||
|         **STL Container Guidelines:** | ||||
|  | ||||
|         ESPHome runs on embedded systems with limited resources. Choose containers carefully: | ||||
|  | ||||
|         1. **Compile-time-known sizes:** Use `std::array` instead of `std::vector` when size is known at compile time. | ||||
|            ```cpp | ||||
|            // Bad - generates STL realloc code | ||||
|            std::vector<int> values; | ||||
|  | ||||
|            // Good - no dynamic allocation | ||||
|            std::array<int, MAX_VALUES> values; | ||||
|            ``` | ||||
|            Use `cg.add_define("MAX_VALUES", count)` to set the size from Python configuration. | ||||
|  | ||||
|            **For byte buffers:** Avoid `std::vector<uint8_t>` unless the buffer needs to grow. Use `std::unique_ptr<uint8_t[]>` instead. | ||||
|  | ||||
|            > **Note:** `std::unique_ptr<uint8_t[]>` does **not** provide bounds checking or iterator support like `std::vector<uint8_t>`. Use it only when you do not need these features and want minimal overhead. | ||||
|  | ||||
|            ```cpp | ||||
|            // Bad - STL overhead for simple byte buffer | ||||
|            std::vector<uint8_t> buffer; | ||||
|            buffer.resize(256); | ||||
|  | ||||
|            // Good - minimal overhead, single allocation | ||||
|            std::unique_ptr<uint8_t[]> buffer = std::make_unique<uint8_t[]>(256); | ||||
|            // Or if size is constant: | ||||
|            std::array<uint8_t, 256> buffer; | ||||
|            ``` | ||||
|  | ||||
|         2. **Compile-time-known fixed sizes with vector-like API:** Use `StaticVector` from `esphome/core/helpers.h` for fixed-size stack allocation with `push_back()` interface. | ||||
|            ```cpp | ||||
|            // Bad - generates STL realloc code (_M_realloc_insert) | ||||
|            std::vector<ServiceRecord> services; | ||||
|            services.reserve(5);  // Still includes reallocation machinery | ||||
|  | ||||
|            // Good - compile-time fixed size, stack allocated, no reallocation machinery | ||||
|            StaticVector<ServiceRecord, MAX_SERVICES> services;  // Allocates all MAX_SERVICES on stack | ||||
|            services.push_back(record1);  // Tracks count but all slots allocated | ||||
|            ``` | ||||
|            Use `cg.add_define("MAX_SERVICES", count)` to set the size from Python configuration. | ||||
|            Like `std::array` but with vector-like API (`push_back()`, `size()`) and no STL reallocation code. | ||||
|  | ||||
|         3. **Runtime-known sizes:** Use `FixedVector` from `esphome/core/helpers.h` when the size is only known at runtime initialization. | ||||
|            ```cpp | ||||
|            // Bad - generates STL realloc code (_M_realloc_insert) | ||||
|            std::vector<TxtRecord> txt_records; | ||||
|            txt_records.reserve(5);  // Still includes reallocation machinery | ||||
|  | ||||
|            // Good - runtime size, single allocation, no reallocation machinery | ||||
|            FixedVector<TxtRecord> txt_records; | ||||
|            txt_records.init(record_count);  // Initialize with exact size at runtime | ||||
|            ``` | ||||
|            **Benefits:** | ||||
|            - Eliminates `_M_realloc_insert`, `_M_default_append` template instantiations (saves 200-500 bytes per instance) | ||||
|            - Single allocation, no upper bound needed | ||||
|            - No reallocation overhead | ||||
|            - Compatible with protobuf code generation when using `[(fixed_vector) = true]` option | ||||
|  | ||||
|         4. **Small datasets (1-16 elements):** Use `std::vector` or `std::array` with simple structs instead of `std::map`/`std::set`/`std::unordered_map`. | ||||
|            ```cpp | ||||
|            // Bad - 2KB+ overhead for red-black tree/hash table | ||||
|            std::map<std::string, int> small_lookup; | ||||
|            std::unordered_map<int, std::string> tiny_map; | ||||
|  | ||||
|            // Good - simple struct with linear search (std::vector is fine) | ||||
|            struct LookupEntry { | ||||
|              const char *key; | ||||
|              int value; | ||||
|            }; | ||||
|            std::vector<LookupEntry> small_lookup = { | ||||
|              {"key1", 10}, | ||||
|              {"key2", 20}, | ||||
|              {"key3", 30}, | ||||
|            }; | ||||
|            // Or std::array if size is compile-time constant: | ||||
|            // std::array<LookupEntry, 3> small_lookup = {{ ... }}; | ||||
|            ``` | ||||
|            Linear search on small datasets (1-16 elements) is often faster than hashing/tree overhead, but this depends on lookup frequency and access patterns. For frequent lookups in hot code paths, the O(1) vs O(n) complexity difference may still matter even for small datasets. `std::vector` with simple structs is usually fine—it's the heavy containers (`map`, `set`, `unordered_map`) that should be avoided for small datasets unless profiling shows otherwise. | ||||
|  | ||||
|         5. **Detection:** Look for these patterns in compiler output: | ||||
|            - Large code sections with STL symbols (vector, map, set) | ||||
|            - `alloc`, `realloc`, `dealloc` in symbol names | ||||
|            - `_M_realloc_insert`, `_M_default_append` (vector reallocation) | ||||
|            - Red-black tree code (`rb_tree`, `_Rb_tree`) | ||||
|            - Hash table infrastructure (`unordered_map`, `hash`) | ||||
|  | ||||
|         **When to optimize:** | ||||
|         - Core components (API, network, logger) | ||||
|         - Widely-used components (mdns, wifi, ble) | ||||
|         - Components causing flash size complaints | ||||
|  | ||||
|         **When not to optimize:** | ||||
|         - Single-use niche components | ||||
|         - Code where readability matters more than bytes | ||||
|         - Already using appropriate containers | ||||
|  | ||||
|     *   **State Management:** Use `CORE.data` for component state that needs to persist during configuration generation. Avoid module-level mutable globals. | ||||
|  | ||||
|         **Bad Pattern (Module-Level Globals):** | ||||
|         ```python | ||||
|         # Don't do this - state persists between compilation runs | ||||
|         _component_state = [] | ||||
|         _use_feature = None | ||||
|  | ||||
|         def enable_feature(): | ||||
|             global _use_feature | ||||
|             _use_feature = True | ||||
|         ``` | ||||
|  | ||||
|         **Good Pattern (CORE.data with Helpers):** | ||||
|         ```python | ||||
|         from esphome.core import CORE | ||||
|  | ||||
|         # Keys for CORE.data storage | ||||
|         COMPONENT_STATE_KEY = "my_component_state" | ||||
|         USE_FEATURE_KEY = "my_component_use_feature" | ||||
|  | ||||
|         def _get_component_state() -> list: | ||||
|             """Get component state from CORE.data.""" | ||||
|             return CORE.data.setdefault(COMPONENT_STATE_KEY, []) | ||||
|  | ||||
|         def _get_use_feature() -> bool | None: | ||||
|             """Get feature flag from CORE.data.""" | ||||
|             return CORE.data.get(USE_FEATURE_KEY) | ||||
|  | ||||
|         def _set_use_feature(value: bool) -> None: | ||||
|             """Set feature flag in CORE.data.""" | ||||
|             CORE.data[USE_FEATURE_KEY] = value | ||||
|  | ||||
|         def enable_feature(): | ||||
|             _set_use_feature(True) | ||||
|         ``` | ||||
|  | ||||
|         **Why this matters:** | ||||
|         - Module-level globals persist between compilation runs if the dashboard doesn't fork/exec | ||||
|         - `CORE.data` automatically clears between runs | ||||
|         - Typed helper functions provide better IDE support and maintainability | ||||
|         - Encapsulation makes state management explicit and testable | ||||
|  | ||||
| *   **Security:** Be mindful of security when making changes to the API, web server, or any other network-related code. Do not hardcode secrets or keys. | ||||
|  | ||||
|   | ||||
| @@ -1 +1 @@ | ||||
| d7693a1e996cacd4a3d1c9a16336799c2a8cc3db02e4e74084151ce964581248 | ||||
| 499db61c1aa55b98b6629df603a56a1ba7aff5a9a7c781a5c1552a9dcd186c08 | ||||
|   | ||||
| @@ -1,5 +1,4 @@ | ||||
| [run] | ||||
| omit = | ||||
|     esphome/components/* | ||||
|     esphome/analyze_memory/* | ||||
|     tests/integration/* | ||||
|   | ||||
							
								
								
									
										1
									
								
								.github/workflows/ci-clang-tidy-hash.yml
									
									
									
									
										vendored
									
									
								
							
							
						
						
									
										1
									
								
								.github/workflows/ci-clang-tidy-hash.yml
									
									
									
									
										vendored
									
									
								
							| @@ -6,7 +6,6 @@ on: | ||||
|       - ".clang-tidy" | ||||
|       - "platformio.ini" | ||||
|       - "requirements_dev.txt" | ||||
|       - "sdkconfig.defaults" | ||||
|       - ".clang-tidy.hash" | ||||
|       - "script/clang_tidy_hash.py" | ||||
|       - ".github/workflows/ci-clang-tidy-hash.yml" | ||||
|   | ||||
							
								
								
									
										111
									
								
								.github/workflows/ci-memory-impact-comment.yml
									
									
									
									
										vendored
									
									
								
							
							
						
						
									
										111
									
								
								.github/workflows/ci-memory-impact-comment.yml
									
									
									
									
										vendored
									
									
								
							| @@ -1,111 +0,0 @@ | ||||
| --- | ||||
| name: Memory Impact Comment (Forks) | ||||
|  | ||||
| on: | ||||
|   workflow_run: | ||||
|     workflows: ["CI"] | ||||
|     types: [completed] | ||||
|  | ||||
| permissions: | ||||
|   contents: read | ||||
|   pull-requests: write | ||||
|   actions: read | ||||
|  | ||||
| jobs: | ||||
|   memory-impact-comment: | ||||
|     name: Post memory impact comment (fork PRs only) | ||||
|     runs-on: ubuntu-24.04 | ||||
|     # Only run for PRs from forks that had successful CI runs | ||||
|     if: > | ||||
|       github.event.workflow_run.event == 'pull_request' && | ||||
|       github.event.workflow_run.conclusion == 'success' && | ||||
|       github.event.workflow_run.head_repository.full_name != github.repository | ||||
|     env: | ||||
|       GH_TOKEN: ${{ github.token }} | ||||
|     steps: | ||||
|       - name: Get PR details | ||||
|         id: pr | ||||
|         run: | | ||||
|           # Get PR details by searching for PR with matching head SHA | ||||
|           # The workflow_run.pull_requests field is often empty for forks | ||||
|           # Use paginate to handle repos with many open PRs | ||||
|           head_sha="${{ github.event.workflow_run.head_sha }}" | ||||
|           pr_data=$(gh api --paginate "/repos/${{ github.repository }}/pulls" \ | ||||
|             --jq ".[] | select(.head.sha == \"$head_sha\") | {number: .number, base_ref: .base.ref}" \ | ||||
|             | head -n 1) | ||||
|  | ||||
|           if [ -z "$pr_data" ]; then | ||||
|             echo "No PR found for SHA $head_sha, skipping" | ||||
|             echo "skip=true" >> "$GITHUB_OUTPUT" | ||||
|             exit 0 | ||||
|           fi | ||||
|  | ||||
|           pr_number=$(echo "$pr_data" | jq -r '.number') | ||||
|           base_ref=$(echo "$pr_data" | jq -r '.base_ref') | ||||
|  | ||||
|           echo "pr_number=$pr_number" >> "$GITHUB_OUTPUT" | ||||
|           echo "base_ref=$base_ref" >> "$GITHUB_OUTPUT" | ||||
|           echo "Found PR #$pr_number targeting base branch: $base_ref" | ||||
|  | ||||
|       - name: Check out code from base repository | ||||
|         if: steps.pr.outputs.skip != 'true' | ||||
|         uses: actions/checkout@08c6903cd8c0fde910a37f88322edcfb5dd907a8 # v5.0.0 | ||||
|         with: | ||||
|           # Always check out from the base repository (esphome/esphome), never from forks | ||||
|           # Use the PR's target branch to ensure we run trusted code from the main repo | ||||
|           repository: ${{ github.repository }} | ||||
|           ref: ${{ steps.pr.outputs.base_ref }} | ||||
|  | ||||
|       - name: Restore Python | ||||
|         if: steps.pr.outputs.skip != 'true' | ||||
|         uses: ./.github/actions/restore-python | ||||
|         with: | ||||
|           python-version: "3.11" | ||||
|           cache-key: ${{ hashFiles('.cache-key') }} | ||||
|  | ||||
|       - name: Download memory analysis artifacts | ||||
|         if: steps.pr.outputs.skip != 'true' | ||||
|         run: | | ||||
|           run_id="${{ github.event.workflow_run.id }}" | ||||
|           echo "Downloading artifacts from workflow run $run_id" | ||||
|  | ||||
|           mkdir -p memory-analysis | ||||
|  | ||||
|           # Download target analysis artifact | ||||
|           if gh run download --name "memory-analysis-target" --dir memory-analysis --repo "${{ github.repository }}" "$run_id"; then | ||||
|             echo "Downloaded memory-analysis-target artifact." | ||||
|           else | ||||
|             echo "No memory-analysis-target artifact found." | ||||
|           fi | ||||
|  | ||||
|           # Download PR analysis artifact | ||||
|           if gh run download --name "memory-analysis-pr" --dir memory-analysis --repo "${{ github.repository }}" "$run_id"; then | ||||
|             echo "Downloaded memory-analysis-pr artifact." | ||||
|           else | ||||
|             echo "No memory-analysis-pr artifact found." | ||||
|           fi | ||||
|  | ||||
|       - name: Check if artifacts exist | ||||
|         id: check | ||||
|         if: steps.pr.outputs.skip != 'true' | ||||
|         run: | | ||||
|           if [ -f ./memory-analysis/memory-analysis-target.json ] && [ -f ./memory-analysis/memory-analysis-pr.json ]; then | ||||
|             echo "found=true" >> "$GITHUB_OUTPUT" | ||||
|           else | ||||
|             echo "found=false" >> "$GITHUB_OUTPUT" | ||||
|             echo "Memory analysis artifacts not found, skipping comment" | ||||
|           fi | ||||
|  | ||||
|       - name: Post or update PR comment | ||||
|         if: steps.pr.outputs.skip != 'true' && steps.check.outputs.found == 'true' | ||||
|         env: | ||||
|           PR_NUMBER: ${{ steps.pr.outputs.pr_number }} | ||||
|         run: | | ||||
|           . venv/bin/activate | ||||
|           # Pass PR number and JSON file paths directly to Python script | ||||
|           # Let Python parse the JSON to avoid shell injection risks | ||||
|           # The script will validate and sanitize all inputs | ||||
|           python script/ci_memory_impact_comment.py \ | ||||
|             --pr-number "$PR_NUMBER" \ | ||||
|             --target-json ./memory-analysis/memory-analysis-target.json \ | ||||
|             --pr-json ./memory-analysis/memory-analysis-pr.json | ||||
							
								
								
									
										600
									
								
								.github/workflows/ci.yml
									
									
									
									
										vendored
									
									
								
							
							
						
						
									
										600
									
								
								.github/workflows/ci.yml
									
									
									
									
										vendored
									
									
								
							| @@ -114,7 +114,8 @@ jobs: | ||||
|       matrix: | ||||
|         python-version: | ||||
|           - "3.11" | ||||
|           - "3.14" | ||||
|           - "3.12" | ||||
|           - "3.13" | ||||
|         os: | ||||
|           - ubuntu-latest | ||||
|           - macOS-latest | ||||
| @@ -123,9 +124,13 @@ jobs: | ||||
|           # Minimize CI resource usage | ||||
|           # by only running the Python version | ||||
|           # version used for docker images on Windows and macOS | ||||
|           - python-version: "3.14" | ||||
|           - python-version: "3.13" | ||||
|             os: windows-latest | ||||
|           - python-version: "3.14" | ||||
|           - python-version: "3.12" | ||||
|             os: windows-latest | ||||
|           - python-version: "3.13" | ||||
|             os: macOS-latest | ||||
|           - python-version: "3.12" | ||||
|             os: macOS-latest | ||||
|     runs-on: ${{ matrix.os }} | ||||
|     needs: | ||||
| @@ -170,14 +175,9 @@ jobs: | ||||
|     outputs: | ||||
|       integration-tests: ${{ steps.determine.outputs.integration-tests }} | ||||
|       clang-tidy: ${{ steps.determine.outputs.clang-tidy }} | ||||
|       clang-tidy-mode: ${{ steps.determine.outputs.clang-tidy-mode }} | ||||
|       python-linters: ${{ steps.determine.outputs.python-linters }} | ||||
|       changed-components: ${{ steps.determine.outputs.changed-components }} | ||||
|       changed-components-with-tests: ${{ steps.determine.outputs.changed-components-with-tests }} | ||||
|       directly-changed-components-with-tests: ${{ steps.determine.outputs.directly-changed-components-with-tests }} | ||||
|       component-test-count: ${{ steps.determine.outputs.component-test-count }} | ||||
|       changed-cpp-file-count: ${{ steps.determine.outputs.changed-cpp-file-count }} | ||||
|       memory_impact: ${{ steps.determine.outputs.memory-impact }} | ||||
|     steps: | ||||
|       - name: Check out code from GitHub | ||||
|         uses: actions/checkout@08c6903cd8c0fde910a37f88322edcfb5dd907a8 # v5.0.0 | ||||
| @@ -202,14 +202,9 @@ jobs: | ||||
|           # Extract individual fields | ||||
|           echo "integration-tests=$(echo "$output" | jq -r '.integration_tests')" >> $GITHUB_OUTPUT | ||||
|           echo "clang-tidy=$(echo "$output" | jq -r '.clang_tidy')" >> $GITHUB_OUTPUT | ||||
|           echo "clang-tidy-mode=$(echo "$output" | jq -r '.clang_tidy_mode')" >> $GITHUB_OUTPUT | ||||
|           echo "python-linters=$(echo "$output" | jq -r '.python_linters')" >> $GITHUB_OUTPUT | ||||
|           echo "changed-components=$(echo "$output" | jq -c '.changed_components')" >> $GITHUB_OUTPUT | ||||
|           echo "changed-components-with-tests=$(echo "$output" | jq -c '.changed_components_with_tests')" >> $GITHUB_OUTPUT | ||||
|           echo "directly-changed-components-with-tests=$(echo "$output" | jq -c '.directly_changed_components_with_tests')" >> $GITHUB_OUTPUT | ||||
|           echo "component-test-count=$(echo "$output" | jq -r '.component_test_count')" >> $GITHUB_OUTPUT | ||||
|           echo "changed-cpp-file-count=$(echo "$output" | jq -r '.changed_cpp_file_count')" >> $GITHUB_OUTPUT | ||||
|           echo "memory-impact=$(echo "$output" | jq -c '.memory_impact')" >> $GITHUB_OUTPUT | ||||
|  | ||||
|   integration-tests: | ||||
|     name: Run integration tests | ||||
| @@ -247,7 +242,7 @@ jobs: | ||||
|           . venv/bin/activate | ||||
|           pytest -vv --no-cov --tb=native -n auto tests/integration/ | ||||
|  | ||||
|   clang-tidy-single: | ||||
|   clang-tidy: | ||||
|     name: ${{ matrix.name }} | ||||
|     runs-on: ubuntu-24.04 | ||||
|     needs: | ||||
| @@ -265,6 +260,22 @@ jobs: | ||||
|             name: Run script/clang-tidy for ESP8266 | ||||
|             options: --environment esp8266-arduino-tidy --grep USE_ESP8266 | ||||
|             pio_cache_key: tidyesp8266 | ||||
|           - id: clang-tidy | ||||
|             name: Run script/clang-tidy for ESP32 Arduino 1/4 | ||||
|             options: --environment esp32-arduino-tidy --split-num 4 --split-at 1 | ||||
|             pio_cache_key: tidyesp32 | ||||
|           - id: clang-tidy | ||||
|             name: Run script/clang-tidy for ESP32 Arduino 2/4 | ||||
|             options: --environment esp32-arduino-tidy --split-num 4 --split-at 2 | ||||
|             pio_cache_key: tidyesp32 | ||||
|           - id: clang-tidy | ||||
|             name: Run script/clang-tidy for ESP32 Arduino 3/4 | ||||
|             options: --environment esp32-arduino-tidy --split-num 4 --split-at 3 | ||||
|             pio_cache_key: tidyesp32 | ||||
|           - id: clang-tidy | ||||
|             name: Run script/clang-tidy for ESP32 Arduino 4/4 | ||||
|             options: --environment esp32-arduino-tidy --split-num 4 --split-at 4 | ||||
|             pio_cache_key: tidyesp32 | ||||
|           - id: clang-tidy | ||||
|             name: Run script/clang-tidy for ESP32 IDF | ||||
|             options: --environment esp32-idf-tidy --grep USE_ESP_IDF | ||||
| @@ -345,233 +356,79 @@ jobs: | ||||
|         # yamllint disable-line rule:line-length | ||||
|         if: always() | ||||
|  | ||||
|   clang-tidy-nosplit: | ||||
|     name: Run script/clang-tidy for ESP32 Arduino | ||||
|   test-build-components: | ||||
|     name: Component test ${{ matrix.file }} | ||||
|     runs-on: ubuntu-24.04 | ||||
|     needs: | ||||
|       - common | ||||
|       - determine-jobs | ||||
|     if: needs.determine-jobs.outputs.clang-tidy-mode == 'nosplit' | ||||
|     env: | ||||
|       GH_TOKEN: ${{ github.token }} | ||||
|     steps: | ||||
|       - name: Check out code from GitHub | ||||
|         uses: actions/checkout@08c6903cd8c0fde910a37f88322edcfb5dd907a8 # v5.0.0 | ||||
|         with: | ||||
|           # Need history for HEAD~1 to work for checking changed files | ||||
|           fetch-depth: 2 | ||||
|  | ||||
|       - name: Restore Python | ||||
|         uses: ./.github/actions/restore-python | ||||
|         with: | ||||
|           python-version: ${{ env.DEFAULT_PYTHON }} | ||||
|           cache-key: ${{ needs.common.outputs.cache-key }} | ||||
|  | ||||
|       - name: Cache platformio | ||||
|         if: github.ref == 'refs/heads/dev' | ||||
|         uses: actions/cache@0057852bfaa89a56745cba8c7296529d2fc39830 # v4.3.0 | ||||
|         with: | ||||
|           path: ~/.platformio | ||||
|           key: platformio-tidyesp32-${{ hashFiles('platformio.ini') }} | ||||
|  | ||||
|       - name: Cache platformio | ||||
|         if: github.ref != 'refs/heads/dev' | ||||
|         uses: actions/cache/restore@0057852bfaa89a56745cba8c7296529d2fc39830 # v4.3.0 | ||||
|         with: | ||||
|           path: ~/.platformio | ||||
|           key: platformio-tidyesp32-${{ hashFiles('platformio.ini') }} | ||||
|  | ||||
|       - name: Register problem matchers | ||||
|         run: | | ||||
|           echo "::add-matcher::.github/workflows/matchers/gcc.json" | ||||
|           echo "::add-matcher::.github/workflows/matchers/clang-tidy.json" | ||||
|  | ||||
|       - name: Check if full clang-tidy scan needed | ||||
|         id: check_full_scan | ||||
|         run: | | ||||
|           . venv/bin/activate | ||||
|           if python script/clang_tidy_hash.py --check; then | ||||
|             echo "full_scan=true" >> $GITHUB_OUTPUT | ||||
|             echo "reason=hash_changed" >> $GITHUB_OUTPUT | ||||
|           else | ||||
|             echo "full_scan=false" >> $GITHUB_OUTPUT | ||||
|             echo "reason=normal" >> $GITHUB_OUTPUT | ||||
|           fi | ||||
|  | ||||
|       - name: Run clang-tidy | ||||
|         run: | | ||||
|           . venv/bin/activate | ||||
|           if [ "${{ steps.check_full_scan.outputs.full_scan }}" = "true" ]; then | ||||
|             echo "Running FULL clang-tidy scan (hash changed)" | ||||
|             script/clang-tidy --all-headers --fix --environment esp32-arduino-tidy | ||||
|           else | ||||
|             echo "Running clang-tidy on changed files only" | ||||
|             script/clang-tidy --all-headers --fix --changed --environment esp32-arduino-tidy | ||||
|           fi | ||||
|         env: | ||||
|           # Also cache libdeps, store them in a ~/.platformio subfolder | ||||
|           PLATFORMIO_LIBDEPS_DIR: ~/.platformio/libdeps | ||||
|  | ||||
|       - name: Suggested changes | ||||
|         run: script/ci-suggest-changes | ||||
|         if: always() | ||||
|  | ||||
|   clang-tidy-split: | ||||
|     name: ${{ matrix.name }} | ||||
|     runs-on: ubuntu-24.04 | ||||
|     needs: | ||||
|       - common | ||||
|       - determine-jobs | ||||
|     if: needs.determine-jobs.outputs.clang-tidy-mode == 'split' | ||||
|     env: | ||||
|       GH_TOKEN: ${{ github.token }} | ||||
|     if: github.event_name == 'pull_request' && fromJSON(needs.determine-jobs.outputs.component-test-count) > 0 && fromJSON(needs.determine-jobs.outputs.component-test-count) < 100 | ||||
|     strategy: | ||||
|       fail-fast: false | ||||
|       max-parallel: 1 | ||||
|       max-parallel: 2 | ||||
|       matrix: | ||||
|         include: | ||||
|           - id: clang-tidy | ||||
|             name: Run script/clang-tidy for ESP32 Arduino 1/4 | ||||
|             options: --environment esp32-arduino-tidy --split-num 4 --split-at 1 | ||||
|           - id: clang-tidy | ||||
|             name: Run script/clang-tidy for ESP32 Arduino 2/4 | ||||
|             options: --environment esp32-arduino-tidy --split-num 4 --split-at 2 | ||||
|           - id: clang-tidy | ||||
|             name: Run script/clang-tidy for ESP32 Arduino 3/4 | ||||
|             options: --environment esp32-arduino-tidy --split-num 4 --split-at 3 | ||||
|           - id: clang-tidy | ||||
|             name: Run script/clang-tidy for ESP32 Arduino 4/4 | ||||
|             options: --environment esp32-arduino-tidy --split-num 4 --split-at 4 | ||||
|  | ||||
|         file: ${{ fromJson(needs.determine-jobs.outputs.changed-components) }} | ||||
|     steps: | ||||
|       - name: Install dependencies | ||||
|         run: | | ||||
|           sudo apt-get update | ||||
|           sudo apt-get install libsdl2-dev | ||||
|  | ||||
|       - name: Check out code from GitHub | ||||
|         uses: actions/checkout@08c6903cd8c0fde910a37f88322edcfb5dd907a8 # v5.0.0 | ||||
|         with: | ||||
|           # Need history for HEAD~1 to work for checking changed files | ||||
|           fetch-depth: 2 | ||||
|  | ||||
|       - name: Restore Python | ||||
|         uses: ./.github/actions/restore-python | ||||
|         with: | ||||
|           python-version: ${{ env.DEFAULT_PYTHON }} | ||||
|           cache-key: ${{ needs.common.outputs.cache-key }} | ||||
|  | ||||
|       - name: Cache platformio | ||||
|         if: github.ref == 'refs/heads/dev' | ||||
|         uses: actions/cache@0057852bfaa89a56745cba8c7296529d2fc39830 # v4.3.0 | ||||
|         with: | ||||
|           path: ~/.platformio | ||||
|           key: platformio-tidyesp32-${{ hashFiles('platformio.ini') }} | ||||
|  | ||||
|       - name: Cache platformio | ||||
|         if: github.ref != 'refs/heads/dev' | ||||
|         uses: actions/cache/restore@0057852bfaa89a56745cba8c7296529d2fc39830 # v4.3.0 | ||||
|         with: | ||||
|           path: ~/.platformio | ||||
|           key: platformio-tidyesp32-${{ hashFiles('platformio.ini') }} | ||||
|  | ||||
|       - name: Register problem matchers | ||||
|         run: | | ||||
|           echo "::add-matcher::.github/workflows/matchers/gcc.json" | ||||
|           echo "::add-matcher::.github/workflows/matchers/clang-tidy.json" | ||||
|  | ||||
|       - name: Check if full clang-tidy scan needed | ||||
|         id: check_full_scan | ||||
|       - name: test_build_components -e config -c ${{ matrix.file }} | ||||
|         run: | | ||||
|           . venv/bin/activate | ||||
|           if python script/clang_tidy_hash.py --check; then | ||||
|             echo "full_scan=true" >> $GITHUB_OUTPUT | ||||
|             echo "reason=hash_changed" >> $GITHUB_OUTPUT | ||||
|           else | ||||
|             echo "full_scan=false" >> $GITHUB_OUTPUT | ||||
|             echo "reason=normal" >> $GITHUB_OUTPUT | ||||
|           fi | ||||
|  | ||||
|       - name: Run clang-tidy | ||||
|           ./script/test_build_components -e config -c ${{ matrix.file }} | ||||
|       - name: test_build_components -e compile -c ${{ matrix.file }} | ||||
|         run: | | ||||
|           . venv/bin/activate | ||||
|           if [ "${{ steps.check_full_scan.outputs.full_scan }}" = "true" ]; then | ||||
|             echo "Running FULL clang-tidy scan (hash changed)" | ||||
|             script/clang-tidy --all-headers --fix ${{ matrix.options }} | ||||
|           else | ||||
|             echo "Running clang-tidy on changed files only" | ||||
|             script/clang-tidy --all-headers --fix --changed ${{ matrix.options }} | ||||
|           fi | ||||
|         env: | ||||
|           # Also cache libdeps, store them in a ~/.platformio subfolder | ||||
|           PLATFORMIO_LIBDEPS_DIR: ~/.platformio/libdeps | ||||
|  | ||||
|       - name: Suggested changes | ||||
|         run: script/ci-suggest-changes | ||||
|         if: always() | ||||
|           ./script/test_build_components -e compile -c ${{ matrix.file }} | ||||
|  | ||||
|   test-build-components-splitter: | ||||
|     name: Split components for intelligent grouping (40 weighted per batch) | ||||
|     name: Split components for testing into 20 groups maximum | ||||
|     runs-on: ubuntu-24.04 | ||||
|     needs: | ||||
|       - common | ||||
|       - determine-jobs | ||||
|     if: github.event_name == 'pull_request' && fromJSON(needs.determine-jobs.outputs.component-test-count) > 0 | ||||
|     if: github.event_name == 'pull_request' && fromJSON(needs.determine-jobs.outputs.component-test-count) >= 100 | ||||
|     outputs: | ||||
|       matrix: ${{ steps.split.outputs.components }} | ||||
|     steps: | ||||
|       - name: Check out code from GitHub | ||||
|         uses: actions/checkout@08c6903cd8c0fde910a37f88322edcfb5dd907a8 # v5.0.0 | ||||
|       - name: Restore Python | ||||
|         uses: ./.github/actions/restore-python | ||||
|         with: | ||||
|           python-version: ${{ env.DEFAULT_PYTHON }} | ||||
|           cache-key: ${{ needs.common.outputs.cache-key }} | ||||
|       - name: Split components intelligently based on bus configurations | ||||
|       - name: Split components into 20 groups | ||||
|         id: split | ||||
|         run: | | ||||
|           . venv/bin/activate | ||||
|  | ||||
|           # Use intelligent splitter that groups components with same bus configs | ||||
|           components='${{ needs.determine-jobs.outputs.changed-components-with-tests }}' | ||||
|  | ||||
|           # Only isolate directly changed components when targeting dev branch | ||||
|           # For beta/release branches, group everything for faster CI | ||||
|           if [[ "${{ github.base_ref }}" == beta* ]] || [[ "${{ github.base_ref }}" == release* ]]; then | ||||
|             directly_changed='[]' | ||||
|             echo "Target branch: ${{ github.base_ref }} - grouping all components" | ||||
|           else | ||||
|             directly_changed='${{ needs.determine-jobs.outputs.directly-changed-components-with-tests }}' | ||||
|             echo "Target branch: ${{ github.base_ref }} - isolating directly changed components" | ||||
|           fi | ||||
|  | ||||
|           echo "Splitting components intelligently..." | ||||
|           output=$(python3 script/split_components_for_ci.py --components "$components" --directly-changed "$directly_changed" --batch-size 40 --output github) | ||||
|  | ||||
|           echo "$output" >> $GITHUB_OUTPUT | ||||
|           components=$(echo '${{ needs.determine-jobs.outputs.changed-components }}' | jq -c '.[]' | shuf | jq -s -c '[_nwise(20) | join(" ")]') | ||||
|           echo "components=$components" >> $GITHUB_OUTPUT | ||||
|  | ||||
|   test-build-components-split: | ||||
|     name: Test components batch (${{ matrix.components }}) | ||||
|     name: Test split components | ||||
|     runs-on: ubuntu-24.04 | ||||
|     needs: | ||||
|       - common | ||||
|       - determine-jobs | ||||
|       - test-build-components-splitter | ||||
|     if: github.event_name == 'pull_request' && fromJSON(needs.determine-jobs.outputs.component-test-count) > 0 | ||||
|     if: github.event_name == 'pull_request' && fromJSON(needs.determine-jobs.outputs.component-test-count) >= 100 | ||||
|     strategy: | ||||
|       fail-fast: false | ||||
|       max-parallel: ${{ (startsWith(github.base_ref, 'beta') || startsWith(github.base_ref, 'release')) && 8 || 4 }} | ||||
|       max-parallel: 4 | ||||
|       matrix: | ||||
|         components: ${{ fromJson(needs.test-build-components-splitter.outputs.matrix) }} | ||||
|     steps: | ||||
|       - name: Show disk space | ||||
|         run: | | ||||
|           echo "Available disk space:" | ||||
|           df -h | ||||
|  | ||||
|       - name: List components | ||||
|         run: echo ${{ matrix.components }} | ||||
|  | ||||
|       - name: Cache apt packages | ||||
|         uses: awalsh128/cache-apt-pkgs-action@acb598e5ddbc6f68a970c5da0688d2f3a9f04d05 # v1.5.3 | ||||
|         with: | ||||
|           packages: libsdl2-dev | ||||
|           version: 1.0 | ||||
|       - name: Install dependencies | ||||
|         run: | | ||||
|           sudo apt-get update | ||||
|           sudo apt-get install libsdl2-dev | ||||
|  | ||||
|       - name: Check out code from GitHub | ||||
|         uses: actions/checkout@08c6903cd8c0fde910a37f88322edcfb5dd907a8 # v5.0.0 | ||||
| @@ -580,83 +437,27 @@ jobs: | ||||
|         with: | ||||
|           python-version: ${{ env.DEFAULT_PYTHON }} | ||||
|           cache-key: ${{ needs.common.outputs.cache-key }} | ||||
|       - name: Validate and compile components with intelligent grouping | ||||
|       - name: Validate config | ||||
|         run: | | ||||
|           . venv/bin/activate | ||||
|  | ||||
|           # Check if /mnt has more free space than / before bind mounting | ||||
|           # Extract available space in KB for comparison | ||||
|           root_avail=$(df -k / | awk 'NR==2 {print $4}') | ||||
|           mnt_avail=$(df -k /mnt 2>/dev/null | awk 'NR==2 {print $4}') | ||||
|  | ||||
|           echo "Available space: / has ${root_avail}KB, /mnt has ${mnt_avail}KB" | ||||
|  | ||||
|           # Only use /mnt if it has more space than / | ||||
|           if [ -n "$mnt_avail" ] && [ "$mnt_avail" -gt "$root_avail" ]; then | ||||
|             echo "Using /mnt for build files (more space available)" | ||||
|             # Bind mount PlatformIO directory to /mnt (tools, packages, build cache all go there) | ||||
|             sudo mkdir -p /mnt/platformio | ||||
|             sudo chown $USER:$USER /mnt/platformio | ||||
|             mkdir -p ~/.platformio | ||||
|             sudo mount --bind /mnt/platformio ~/.platformio | ||||
|  | ||||
|             # Bind mount test build directory to /mnt | ||||
|             sudo mkdir -p /mnt/test_build_components_build | ||||
|             sudo chown $USER:$USER /mnt/test_build_components_build | ||||
|             mkdir -p tests/test_build_components/build | ||||
|             sudo mount --bind /mnt/test_build_components_build tests/test_build_components/build | ||||
|           else | ||||
|             echo "Using / for build files (more space available than /mnt or /mnt unavailable)" | ||||
|           fi | ||||
|  | ||||
|           # Convert space-separated components to comma-separated for Python script | ||||
|           components_csv=$(echo "${{ matrix.components }}" | tr ' ' ',') | ||||
|  | ||||
|           # Only isolate directly changed components when targeting dev branch | ||||
|           # For beta/release branches, group everything for faster CI | ||||
|           # | ||||
|           # WHY ISOLATE DIRECTLY CHANGED COMPONENTS? | ||||
|           # - Isolated tests run WITHOUT --testing-mode, enabling full validation | ||||
|           # - This catches pin conflicts and other issues in directly changed code | ||||
|           # - Grouped tests use --testing-mode to allow config merging (disables some checks) | ||||
|           # - Dependencies are safe to group since they weren't modified in this PR | ||||
|           if [[ "${{ github.base_ref }}" == beta* ]] || [[ "${{ github.base_ref }}" == release* ]]; then | ||||
|             directly_changed_csv="" | ||||
|             echo "Testing components: $components_csv" | ||||
|             echo "Target branch: ${{ github.base_ref }} - grouping all components" | ||||
|           else | ||||
|             directly_changed_csv=$(echo '${{ needs.determine-jobs.outputs.directly-changed-components-with-tests }}' | jq -r 'join(",")') | ||||
|             echo "Testing components: $components_csv" | ||||
|             echo "Target branch: ${{ github.base_ref }} - isolating directly changed components: $directly_changed_csv" | ||||
|           fi | ||||
|           echo "" | ||||
|  | ||||
|           # Show disk space before validation (after bind mounts setup) | ||||
|           echo "Disk space before config validation:" | ||||
|           df -h | ||||
|           echo "" | ||||
|  | ||||
|           # Run config validation with grouping and isolation | ||||
|           python3 script/test_build_components.py -e config -c "$components_csv" -f --isolate "$directly_changed_csv" | ||||
|  | ||||
|           echo "" | ||||
|           echo "Config validation passed! Starting compilation..." | ||||
|           echo "" | ||||
|  | ||||
|           # Show disk space before compilation | ||||
|           echo "Disk space before compilation:" | ||||
|           df -h | ||||
|           echo "" | ||||
|  | ||||
|           # Run compilation with grouping and isolation | ||||
|           python3 script/test_build_components.py -e compile -c "$components_csv" -f --isolate "$directly_changed_csv" | ||||
|           for component in ${{ matrix.components }}; do | ||||
|             ./script/test_build_components -e config -c $component | ||||
|           done | ||||
|       - name: Compile config | ||||
|         run: | | ||||
|           . venv/bin/activate | ||||
|           mkdir build_cache | ||||
|           export PLATFORMIO_BUILD_CACHE_DIR=$PWD/build_cache | ||||
|           for component in ${{ matrix.components }}; do | ||||
|             ./script/test_build_components -e compile -c $component | ||||
|           done | ||||
|  | ||||
|   pre-commit-ci-lite: | ||||
|     name: pre-commit.ci lite | ||||
|     runs-on: ubuntu-latest | ||||
|     needs: | ||||
|       - common | ||||
|     if: github.event_name == 'pull_request' && !startsWith(github.base_ref, 'beta') && !startsWith(github.base_ref, 'release') | ||||
|     if: github.event_name == 'pull_request' && github.base_ref != 'beta' && github.base_ref != 'release' | ||||
|     steps: | ||||
|       - name: Check out code from GitHub | ||||
|         uses: actions/checkout@08c6903cd8c0fde910a37f88322edcfb5dd907a8 # v5.0.0 | ||||
| @@ -671,271 +472,6 @@ jobs: | ||||
|       - uses: pre-commit-ci/lite-action@5d6cc0eb514c891a40562a58a8e71576c5c7fb43 # v1.1.0 | ||||
|         if: always() | ||||
|  | ||||
|   memory-impact-target-branch: | ||||
|     name: Build target branch for memory impact | ||||
|     runs-on: ubuntu-24.04 | ||||
|     needs: | ||||
|       - common | ||||
|       - determine-jobs | ||||
|     if: github.event_name == 'pull_request' && fromJSON(needs.determine-jobs.outputs.memory_impact).should_run == 'true' | ||||
|     outputs: | ||||
|       ram_usage: ${{ steps.extract.outputs.ram_usage }} | ||||
|       flash_usage: ${{ steps.extract.outputs.flash_usage }} | ||||
|       cache_hit: ${{ steps.cache-memory-analysis.outputs.cache-hit }} | ||||
|       skip: ${{ steps.check-script.outputs.skip }} | ||||
|     steps: | ||||
|       - name: Check out target branch | ||||
|         uses: actions/checkout@08c6903cd8c0fde910a37f88322edcfb5dd907a8 # v5.0.0 | ||||
|         with: | ||||
|           ref: ${{ github.base_ref }} | ||||
|  | ||||
|       # Check if memory impact extraction script exists on target branch | ||||
|       # If not, skip the analysis (this handles older branches that don't have the feature) | ||||
|       - name: Check for memory impact script | ||||
|         id: check-script | ||||
|         run: | | ||||
|           if [ -f "script/ci_memory_impact_extract.py" ]; then | ||||
|             echo "skip=false" >> $GITHUB_OUTPUT | ||||
|           else | ||||
|             echo "skip=true" >> $GITHUB_OUTPUT | ||||
|             echo "::warning::ci_memory_impact_extract.py not found on target branch, skipping memory impact analysis" | ||||
|           fi | ||||
|  | ||||
|       # All remaining steps only run if script exists | ||||
|       - name: Generate cache key | ||||
|         id: cache-key | ||||
|         if: steps.check-script.outputs.skip != 'true' | ||||
|         run: | | ||||
|           # Get the commit SHA of the target branch | ||||
|           target_sha=$(git rev-parse HEAD) | ||||
|  | ||||
|           # Hash the build infrastructure files (all files that affect build/analysis) | ||||
|           infra_hash=$(cat \ | ||||
|             script/test_build_components.py \ | ||||
|             script/ci_memory_impact_extract.py \ | ||||
|             script/analyze_component_buses.py \ | ||||
|             script/merge_component_configs.py \ | ||||
|             script/ci_helpers.py \ | ||||
|             .github/workflows/ci.yml \ | ||||
|             | sha256sum | cut -d' ' -f1) | ||||
|  | ||||
|           # Get platform and components from job inputs | ||||
|           platform="${{ fromJSON(needs.determine-jobs.outputs.memory_impact).platform }}" | ||||
|           components='${{ toJSON(fromJSON(needs.determine-jobs.outputs.memory_impact).components) }}' | ||||
|           components_hash=$(echo "$components" | sha256sum | cut -d' ' -f1) | ||||
|  | ||||
|           # Combine into cache key | ||||
|           cache_key="memory-analysis-target-${target_sha}-${infra_hash}-${platform}-${components_hash}" | ||||
|           echo "cache-key=${cache_key}" >> $GITHUB_OUTPUT | ||||
|           echo "Cache key: ${cache_key}" | ||||
|  | ||||
|       - name: Restore cached memory analysis | ||||
|         id: cache-memory-analysis | ||||
|         if: steps.check-script.outputs.skip != 'true' | ||||
|         uses: actions/cache/restore@0057852bfaa89a56745cba8c7296529d2fc39830 # v4.3.0 | ||||
|         with: | ||||
|           path: memory-analysis-target.json | ||||
|           key: ${{ steps.cache-key.outputs.cache-key }} | ||||
|  | ||||
|       - name: Cache status | ||||
|         if: steps.check-script.outputs.skip != 'true' | ||||
|         run: | | ||||
|           if [ "${{ steps.cache-memory-analysis.outputs.cache-hit }}" == "true" ]; then | ||||
|             echo "✓ Cache hit! Using cached memory analysis results." | ||||
|             echo "  Skipping build step to save time." | ||||
|           else | ||||
|             echo "✗ Cache miss. Will build and analyze memory usage." | ||||
|           fi | ||||
|  | ||||
|       - name: Restore Python | ||||
|         if: steps.check-script.outputs.skip != 'true' && steps.cache-memory-analysis.outputs.cache-hit != 'true' | ||||
|         uses: ./.github/actions/restore-python | ||||
|         with: | ||||
|           python-version: ${{ env.DEFAULT_PYTHON }} | ||||
|           cache-key: ${{ needs.common.outputs.cache-key }} | ||||
|  | ||||
|       - name: Cache platformio | ||||
|         if: steps.check-script.outputs.skip != 'true' && steps.cache-memory-analysis.outputs.cache-hit != 'true' | ||||
|         uses: actions/cache/restore@0057852bfaa89a56745cba8c7296529d2fc39830 # v4.3.0 | ||||
|         with: | ||||
|           path: ~/.platformio | ||||
|           key: platformio-memory-${{ fromJSON(needs.determine-jobs.outputs.memory_impact).platform }}-${{ hashFiles('platformio.ini') }} | ||||
|  | ||||
|       - name: Build, compile, and analyze memory | ||||
|         if: steps.check-script.outputs.skip != 'true' && steps.cache-memory-analysis.outputs.cache-hit != 'true' | ||||
|         id: build | ||||
|         run: | | ||||
|           . venv/bin/activate | ||||
|           components='${{ toJSON(fromJSON(needs.determine-jobs.outputs.memory_impact).components) }}' | ||||
|           platform="${{ fromJSON(needs.determine-jobs.outputs.memory_impact).platform }}" | ||||
|  | ||||
|           echo "Building with test_build_components.py for $platform with components:" | ||||
|           echo "$components" | jq -r '.[]' | sed 's/^/  - /' | ||||
|  | ||||
|           # Use test_build_components.py which handles grouping automatically | ||||
|           # Pass components as comma-separated list | ||||
|           component_list=$(echo "$components" | jq -r 'join(",")') | ||||
|  | ||||
|           echo "Compiling with test_build_components.py..." | ||||
|  | ||||
|           # Run build and extract memory with auto-detection of build directory for detailed analysis | ||||
|           # Use tee to show output in CI while also piping to extraction script | ||||
|           python script/test_build_components.py \ | ||||
|             -e compile \ | ||||
|             -c "$component_list" \ | ||||
|             -t "$platform" 2>&1 | \ | ||||
|             tee /dev/stderr | \ | ||||
|             python script/ci_memory_impact_extract.py \ | ||||
|               --output-env \ | ||||
|               --output-json memory-analysis-target.json | ||||
|  | ||||
|           # Add metadata to JSON before caching | ||||
|           python script/ci_add_metadata_to_json.py \ | ||||
|             --json-file memory-analysis-target.json \ | ||||
|             --components "$components" \ | ||||
|             --platform "$platform" | ||||
|  | ||||
|       - name: Save memory analysis to cache | ||||
|         if: steps.check-script.outputs.skip != 'true' && steps.cache-memory-analysis.outputs.cache-hit != 'true' && steps.build.outcome == 'success' | ||||
|         uses: actions/cache/save@0057852bfaa89a56745cba8c7296529d2fc39830 # v4.3.0 | ||||
|         with: | ||||
|           path: memory-analysis-target.json | ||||
|           key: ${{ steps.cache-key.outputs.cache-key }} | ||||
|  | ||||
|       - name: Extract memory usage for outputs | ||||
|         id: extract | ||||
|         if: steps.check-script.outputs.skip != 'true' | ||||
|         run: | | ||||
|           if [ -f memory-analysis-target.json ]; then | ||||
|             ram=$(jq -r '.ram_bytes' memory-analysis-target.json) | ||||
|             flash=$(jq -r '.flash_bytes' memory-analysis-target.json) | ||||
|             echo "ram_usage=${ram}" >> $GITHUB_OUTPUT | ||||
|             echo "flash_usage=${flash}" >> $GITHUB_OUTPUT | ||||
|             echo "RAM: ${ram} bytes, Flash: ${flash} bytes" | ||||
|           else | ||||
|             echo "Error: memory-analysis-target.json not found" | ||||
|             exit 1 | ||||
|           fi | ||||
|  | ||||
|       - name: Upload memory analysis JSON | ||||
|         uses: actions/upload-artifact@ea165f8d65b6e75b540449e92b4886f43607fa02 # v4.6.2 | ||||
|         with: | ||||
|           name: memory-analysis-target | ||||
|           path: memory-analysis-target.json | ||||
|           if-no-files-found: warn | ||||
|           retention-days: 1 | ||||
|  | ||||
|   memory-impact-pr-branch: | ||||
|     name: Build PR branch for memory impact | ||||
|     runs-on: ubuntu-24.04 | ||||
|     needs: | ||||
|       - common | ||||
|       - determine-jobs | ||||
|     if: github.event_name == 'pull_request' && fromJSON(needs.determine-jobs.outputs.memory_impact).should_run == 'true' | ||||
|     outputs: | ||||
|       ram_usage: ${{ steps.extract.outputs.ram_usage }} | ||||
|       flash_usage: ${{ steps.extract.outputs.flash_usage }} | ||||
|     steps: | ||||
|       - name: Check out PR branch | ||||
|         uses: actions/checkout@08c6903cd8c0fde910a37f88322edcfb5dd907a8 # v5.0.0 | ||||
|       - name: Restore Python | ||||
|         uses: ./.github/actions/restore-python | ||||
|         with: | ||||
|           python-version: ${{ env.DEFAULT_PYTHON }} | ||||
|           cache-key: ${{ needs.common.outputs.cache-key }} | ||||
|       - name: Cache platformio | ||||
|         uses: actions/cache/restore@0057852bfaa89a56745cba8c7296529d2fc39830 # v4.3.0 | ||||
|         with: | ||||
|           path: ~/.platformio | ||||
|           key: platformio-memory-${{ fromJSON(needs.determine-jobs.outputs.memory_impact).platform }}-${{ hashFiles('platformio.ini') }} | ||||
|       - name: Build, compile, and analyze memory | ||||
|         id: extract | ||||
|         run: | | ||||
|           . venv/bin/activate | ||||
|           components='${{ toJSON(fromJSON(needs.determine-jobs.outputs.memory_impact).components) }}' | ||||
|           platform="${{ fromJSON(needs.determine-jobs.outputs.memory_impact).platform }}" | ||||
|  | ||||
|           echo "Building with test_build_components.py for $platform with components:" | ||||
|           echo "$components" | jq -r '.[]' | sed 's/^/  - /' | ||||
|  | ||||
|           # Use test_build_components.py which handles grouping automatically | ||||
|           # Pass components as comma-separated list | ||||
|           component_list=$(echo "$components" | jq -r 'join(",")') | ||||
|  | ||||
|           echo "Compiling with test_build_components.py..." | ||||
|  | ||||
|           # Run build and extract memory with auto-detection of build directory for detailed analysis | ||||
|           # Use tee to show output in CI while also piping to extraction script | ||||
|           python script/test_build_components.py \ | ||||
|             -e compile \ | ||||
|             -c "$component_list" \ | ||||
|             -t "$platform" 2>&1 | \ | ||||
|             tee /dev/stderr | \ | ||||
|             python script/ci_memory_impact_extract.py \ | ||||
|               --output-env \ | ||||
|               --output-json memory-analysis-pr.json | ||||
|  | ||||
|           # Add metadata to JSON (components and platform are in shell variables above) | ||||
|           python script/ci_add_metadata_to_json.py \ | ||||
|             --json-file memory-analysis-pr.json \ | ||||
|             --components "$components" \ | ||||
|             --platform "$platform" | ||||
|  | ||||
|       - name: Upload memory analysis JSON | ||||
|         uses: actions/upload-artifact@ea165f8d65b6e75b540449e92b4886f43607fa02 # v4.6.2 | ||||
|         with: | ||||
|           name: memory-analysis-pr | ||||
|           path: memory-analysis-pr.json | ||||
|           if-no-files-found: warn | ||||
|           retention-days: 1 | ||||
|  | ||||
|   memory-impact-comment: | ||||
|     name: Comment memory impact | ||||
|     runs-on: ubuntu-24.04 | ||||
|     needs: | ||||
|       - common | ||||
|       - determine-jobs | ||||
|       - memory-impact-target-branch | ||||
|       - memory-impact-pr-branch | ||||
|     if: github.event_name == 'pull_request' && github.event.pull_request.head.repo.full_name == github.repository && fromJSON(needs.determine-jobs.outputs.memory_impact).should_run == 'true' && needs.memory-impact-target-branch.outputs.skip != 'true' | ||||
|     permissions: | ||||
|       contents: read | ||||
|       pull-requests: write | ||||
|     env: | ||||
|       GH_TOKEN: ${{ github.token }} | ||||
|     steps: | ||||
|       - name: Check out code | ||||
|         uses: actions/checkout@08c6903cd8c0fde910a37f88322edcfb5dd907a8 # v5.0.0 | ||||
|       - name: Restore Python | ||||
|         uses: ./.github/actions/restore-python | ||||
|         with: | ||||
|           python-version: ${{ env.DEFAULT_PYTHON }} | ||||
|           cache-key: ${{ needs.common.outputs.cache-key }} | ||||
|       - name: Download target analysis JSON | ||||
|         uses: actions/download-artifact@634f93cb2916e3fdff6788551b99b062d0335ce0 # v5.0.0 | ||||
|         with: | ||||
|           name: memory-analysis-target | ||||
|           path: ./memory-analysis | ||||
|         continue-on-error: true | ||||
|       - name: Download PR analysis JSON | ||||
|         uses: actions/download-artifact@634f93cb2916e3fdff6788551b99b062d0335ce0 # v5.0.0 | ||||
|         with: | ||||
|           name: memory-analysis-pr | ||||
|           path: ./memory-analysis | ||||
|         continue-on-error: true | ||||
|       - name: Post or update PR comment | ||||
|         env: | ||||
|           PR_NUMBER: ${{ github.event.pull_request.number }} | ||||
|         run: | | ||||
|           . venv/bin/activate | ||||
|  | ||||
|           # Pass JSON file paths directly to Python script | ||||
|           # All data is extracted from JSON files for security | ||||
|           python script/ci_memory_impact_comment.py \ | ||||
|             --pr-number "$PR_NUMBER" \ | ||||
|             --target-json ./memory-analysis/memory-analysis-target.json \ | ||||
|             --pr-json ./memory-analysis/memory-analysis-pr.json | ||||
|  | ||||
|   ci-status: | ||||
|     name: CI Status | ||||
|     runs-on: ubuntu-24.04 | ||||
| @@ -945,16 +481,12 @@ jobs: | ||||
|       - pylint | ||||
|       - pytest | ||||
|       - integration-tests | ||||
|       - clang-tidy-single | ||||
|       - clang-tidy-nosplit | ||||
|       - clang-tidy-split | ||||
|       - clang-tidy | ||||
|       - determine-jobs | ||||
|       - test-build-components | ||||
|       - test-build-components-splitter | ||||
|       - test-build-components-split | ||||
|       - pre-commit-ci-lite | ||||
|       - memory-impact-target-branch | ||||
|       - memory-impact-pr-branch | ||||
|       - memory-impact-comment | ||||
|     if: always() | ||||
|     steps: | ||||
|       - name: Success | ||||
|   | ||||
							
								
								
									
										4
									
								
								.github/workflows/codeql.yml
									
									
									
									
										vendored
									
									
								
							
							
						
						
									
										4
									
								
								.github/workflows/codeql.yml
									
									
									
									
										vendored
									
									
								
							| @@ -58,7 +58,7 @@ jobs: | ||||
|  | ||||
|       # Initializes the CodeQL tools for scanning. | ||||
|       - name: Initialize CodeQL | ||||
|         uses: github/codeql-action/init@16140ae1a102900babc80a33c44059580f687047 # v4.30.9 | ||||
|         uses: github/codeql-action/init@64d10c13136e1c5bce3e5fbde8d4906eeaafc885 # v3.30.6 | ||||
|         with: | ||||
|           languages: ${{ matrix.language }} | ||||
|           build-mode: ${{ matrix.build-mode }} | ||||
| @@ -86,6 +86,6 @@ jobs: | ||||
|           exit 1 | ||||
|  | ||||
|       - name: Perform CodeQL Analysis | ||||
|         uses: github/codeql-action/analyze@16140ae1a102900babc80a33c44059580f687047 # v4.30.9 | ||||
|         uses: github/codeql-action/analyze@64d10c13136e1c5bce3e5fbde8d4906eeaafc885 # v3.30.6 | ||||
|         with: | ||||
|           category: "/language:${{matrix.language}}" | ||||
|   | ||||
							
								
								
									
										4
									
								
								.github/workflows/stale.yml
									
									
									
									
										vendored
									
									
								
							
							
						
						
									
										4
									
								
								.github/workflows/stale.yml
									
									
									
									
										vendored
									
									
								
							| @@ -19,11 +19,11 @@ jobs: | ||||
|     runs-on: ubuntu-latest | ||||
|     steps: | ||||
|       - name: Stale | ||||
|         uses: actions/stale@5f858e3efba33a5ca4407a664cc011ad407f2008 # v10.1.0 | ||||
|         uses: actions/stale@3a9db7e6a41a89f618792c92c0e97cc736e1b13f # v10.0.0 | ||||
|         with: | ||||
|           debug-only: ${{ github.ref != 'refs/heads/dev' }} # Dry-run when not run on dev branch | ||||
|           remove-stale-when-updated: true | ||||
|           operations-per-run: 400 | ||||
|           operations-per-run: 150 | ||||
|  | ||||
|           # The 90 day stale policy for PRs | ||||
|           # - PRs | ||||
|   | ||||
| @@ -11,7 +11,7 @@ ci: | ||||
| repos: | ||||
|   - repo: https://github.com/astral-sh/ruff-pre-commit | ||||
|     # Ruff version. | ||||
|     rev: v0.14.1 | ||||
|     rev: v0.13.2 | ||||
|     hooks: | ||||
|       # Run the linter. | ||||
|       - id: ruff | ||||
|   | ||||
| @@ -62,7 +62,6 @@ esphome/components/bedjet/fan/* @jhansche | ||||
| esphome/components/bedjet/sensor/* @javawizard @jhansche | ||||
| esphome/components/beken_spi_led_strip/* @Mat931 | ||||
| esphome/components/bh1750/* @OttoWinter | ||||
| esphome/components/bh1900nux/* @B48D81EFCC | ||||
| esphome/components/binary_sensor/* @esphome/core | ||||
| esphome/components/bk72xx/* @kuba2k2 | ||||
| esphome/components/bl0906/* @athom-tech @jesserockz @tarontop | ||||
| @@ -70,7 +69,6 @@ esphome/components/bl0939/* @ziceva | ||||
| esphome/components/bl0940/* @dan-s-github @tobias- | ||||
| esphome/components/bl0942/* @dbuezas @dwmw2 | ||||
| esphome/components/ble_client/* @buxtronix @clydebarrow | ||||
| esphome/components/ble_nus/* @tomaszduda23 | ||||
| esphome/components/bluetooth_proxy/* @bdraco @jesserockz | ||||
| esphome/components/bme280_base/* @esphome/core | ||||
| esphome/components/bme280_spi/* @apbodrov | ||||
| @@ -141,7 +139,6 @@ esphome/components/ens160_base/* @latonita @vincentscode | ||||
| esphome/components/ens160_i2c/* @latonita | ||||
| esphome/components/ens160_spi/* @latonita | ||||
| esphome/components/ens210/* @itn3rd77 | ||||
| esphome/components/epaper_spi/* @esphome/core | ||||
| esphome/components/es7210/* @kahrendt | ||||
| esphome/components/es7243e/* @kbx81 | ||||
| esphome/components/es8156/* @kbx81 | ||||
| @@ -161,7 +158,6 @@ esphome/components/esp32_rmt_led_strip/* @jesserockz | ||||
| esphome/components/esp8266/* @esphome/core | ||||
| esphome/components/esp_ldo/* @clydebarrow | ||||
| esphome/components/espnow/* @jesserockz | ||||
| esphome/components/espnow/packet_transport/* @EasilyBoredEngineer | ||||
| esphome/components/ethernet_info/* @gtjadsonsantos | ||||
| esphome/components/event/* @nohat | ||||
| esphome/components/exposure_notifications/* @OttoWinter | ||||
| @@ -260,7 +256,6 @@ esphome/components/libretiny_pwm/* @kuba2k2 | ||||
| esphome/components/light/* @esphome/core | ||||
| esphome/components/lightwaverf/* @max246 | ||||
| esphome/components/lilygo_t5_47/touchscreen/* @jesserockz | ||||
| esphome/components/lm75b/* @beormund | ||||
| esphome/components/ln882x/* @lamauny | ||||
| esphome/components/lock/* @esphome/core | ||||
| esphome/components/logger/* @esphome/core | ||||
| @@ -433,7 +428,6 @@ esphome/components/speaker/media_player/* @kahrendt @synesthesiam | ||||
| esphome/components/spi/* @clydebarrow @esphome/core | ||||
| esphome/components/spi_device/* @clydebarrow | ||||
| esphome/components/spi_led_strip/* @clydebarrow | ||||
| esphome/components/split_buffer/* @jesserockz | ||||
| esphome/components/sprinkler/* @kbx81 | ||||
| esphome/components/sps30/* @martgras | ||||
| esphome/components/ssd1322_base/* @kbx81 | ||||
|   | ||||
							
								
								
									
										2
									
								
								Doxyfile
									
									
									
									
									
								
							
							
						
						
									
										2
									
								
								Doxyfile
									
									
									
									
									
								
							| @@ -48,7 +48,7 @@ PROJECT_NAME           = ESPHome | ||||
| # could be handy for archiving the generated documentation or if some version | ||||
| # control system is used. | ||||
|  | ||||
| PROJECT_NUMBER         = 2025.11.0-dev | ||||
| PROJECT_NUMBER         = 2025.10.0-dev | ||||
|  | ||||
| # Using the PROJECT_BRIEF tag one can provide an optional one line description | ||||
| # for a project that appears at the top of each page and should give viewer a | ||||
|   | ||||
| @@ -14,11 +14,9 @@ from typing import Protocol | ||||
|  | ||||
| import argcomplete | ||||
|  | ||||
| # Note: Do not import modules from esphome.components here, as this would | ||||
| # cause them to be loaded before external components are processed, resulting | ||||
| # in the built-in version being used instead of the external component one. | ||||
| from esphome import const, writer, yaml_util | ||||
| import esphome.codegen as cg | ||||
| from esphome.components.mqtt import CONF_DISCOVER_IP | ||||
| from esphome.config import iter_component_configs, read_config, strip_default_ids | ||||
| from esphome.const import ( | ||||
|     ALLOWED_NAME_CHARS, | ||||
| @@ -62,40 +60,6 @@ from esphome.util import ( | ||||
|  | ||||
| _LOGGER = logging.getLogger(__name__) | ||||
|  | ||||
| # Special non-component keys that appear in configs | ||||
| _NON_COMPONENT_KEYS = frozenset( | ||||
|     { | ||||
|         CONF_ESPHOME, | ||||
|         "substitutions", | ||||
|         "packages", | ||||
|         "globals", | ||||
|         "external_components", | ||||
|         "<<", | ||||
|     } | ||||
| ) | ||||
|  | ||||
|  | ||||
| def detect_external_components(config: ConfigType) -> set[str]: | ||||
|     """Detect external/custom components in the configuration. | ||||
|  | ||||
|     External components are those that appear in the config but are not | ||||
|     part of ESPHome's built-in components and are not special config keys. | ||||
|  | ||||
|     Args: | ||||
|         config: The ESPHome configuration dictionary | ||||
|  | ||||
|     Returns: | ||||
|         A set of external component names | ||||
|     """ | ||||
|     from esphome.analyze_memory.helpers import get_esphome_components | ||||
|  | ||||
|     builtin_components = get_esphome_components() | ||||
|     return { | ||||
|         key | ||||
|         for key in config | ||||
|         if key not in builtin_components and key not in _NON_COMPONENT_KEYS | ||||
|     } | ||||
|  | ||||
|  | ||||
| class ArgsProtocol(Protocol): | ||||
|     device: list[str] | None | ||||
| @@ -151,17 +115,6 @@ class Purpose(StrEnum): | ||||
|     LOGGING = "logging" | ||||
|  | ||||
|  | ||||
| class PortType(StrEnum): | ||||
|     SERIAL = "SERIAL" | ||||
|     NETWORK = "NETWORK" | ||||
|     MQTT = "MQTT" | ||||
|     MQTTIP = "MQTTIP" | ||||
|  | ||||
|  | ||||
| # Magic MQTT port types that require special handling | ||||
| _MQTT_PORT_TYPES = frozenset({PortType.MQTT, PortType.MQTTIP}) | ||||
|  | ||||
|  | ||||
| def _resolve_with_cache(address: str, purpose: Purpose) -> list[str]: | ||||
|     """Resolve an address using cache if available, otherwise return the address itself.""" | ||||
|     if CORE.address_cache and (cached := CORE.address_cache.get_addresses(address)): | ||||
| @@ -219,9 +172,7 @@ def choose_upload_log_host( | ||||
|             else: | ||||
|                 resolved.append(device) | ||||
|         if not resolved: | ||||
|             raise EsphomeError( | ||||
|                 f"All specified devices {defaults} could not be resolved. Is the device connected to the network?" | ||||
|             ) | ||||
|             _LOGGER.error("All specified devices: %s could not be resolved.", defaults) | ||||
|         return resolved | ||||
|  | ||||
|     # No devices specified, show interactive chooser | ||||
| @@ -289,8 +240,6 @@ def has_ota() -> bool: | ||||
|  | ||||
| def has_mqtt_ip_lookup() -> bool: | ||||
|     """Check if MQTT is available and IP lookup is supported.""" | ||||
|     from esphome.components.mqtt import CONF_DISCOVER_IP | ||||
|  | ||||
|     if CONF_MQTT not in CORE.config: | ||||
|         return False | ||||
|     # Default Enabled | ||||
| @@ -315,10 +264,8 @@ def has_ip_address() -> bool: | ||||
|  | ||||
|  | ||||
| def has_resolvable_address() -> bool: | ||||
|     """Check if CORE.address is resolvable (via mDNS, DNS, or is an IP address).""" | ||||
|     # Any address (IP, mDNS hostname, or regular DNS hostname) is resolvable | ||||
|     # The resolve_ip_address() function in helpers.py handles all types via AsyncResolver | ||||
|     return CORE.address is not None | ||||
|     """Check if CORE.address is resolvable (via mDNS or is an IP address).""" | ||||
|     return has_mdns() or has_ip_address() | ||||
|  | ||||
|  | ||||
| def mqtt_get_ip(config: ConfigType, username: str, password: str, client_id: str): | ||||
| @@ -327,67 +274,16 @@ def mqtt_get_ip(config: ConfigType, username: str, password: str, client_id: str | ||||
|     return mqtt.get_esphome_device_ip(config, username, password, client_id) | ||||
|  | ||||
|  | ||||
| def _resolve_network_devices( | ||||
|     devices: list[str], config: ConfigType, args: ArgsProtocol | ||||
| ) -> list[str]: | ||||
|     """Resolve device list, converting MQTT magic strings to actual IP addresses. | ||||
|  | ||||
|     This function filters the devices list to: | ||||
|     - Replace MQTT/MQTTIP magic strings with actual IP addresses via MQTT lookup | ||||
|     - Deduplicate addresses while preserving order | ||||
|     - Only resolve MQTT once even if multiple MQTT strings are present | ||||
|     - If MQTT resolution fails, log a warning and continue with other devices | ||||
|  | ||||
|     Args: | ||||
|         devices: List of device identifiers (IPs, hostnames, or magic strings) | ||||
|         config: ESPHome configuration | ||||
|         args: Command-line arguments containing MQTT credentials | ||||
|  | ||||
|     Returns: | ||||
|         List of network addresses suitable for connection attempts | ||||
|     """ | ||||
|     network_devices: list[str] = [] | ||||
|     mqtt_resolved: bool = False | ||||
|  | ||||
|     for device in devices: | ||||
|         port_type = get_port_type(device) | ||||
|         if port_type in _MQTT_PORT_TYPES: | ||||
|             # Only resolve MQTT once, even if multiple MQTT entries | ||||
|             if not mqtt_resolved: | ||||
|                 try: | ||||
|                     mqtt_ips = mqtt_get_ip( | ||||
|                         config, args.username, args.password, args.client_id | ||||
|                     ) | ||||
|                     network_devices.extend(mqtt_ips) | ||||
|                 except EsphomeError as err: | ||||
|                     _LOGGER.warning( | ||||
|                         "MQTT IP discovery failed (%s), will try other devices if available", | ||||
|                         err, | ||||
|                     ) | ||||
|                 mqtt_resolved = True | ||||
|         elif device not in network_devices: | ||||
|             # Regular network address or IP - add if not already present | ||||
|             network_devices.append(device) | ||||
|  | ||||
|     return network_devices | ||||
| _PORT_TO_PORT_TYPE = { | ||||
|     "MQTT": "MQTT", | ||||
|     "MQTTIP": "MQTTIP", | ||||
| } | ||||
|  | ||||
|  | ||||
| def get_port_type(port: str) -> PortType: | ||||
|     """Determine the type of port/device identifier. | ||||
|  | ||||
|     Returns: | ||||
|         PortType.SERIAL for serial ports (/dev/ttyUSB0, COM1, etc.) | ||||
|         PortType.MQTT for MQTT logging | ||||
|         PortType.MQTTIP for MQTT IP lookup | ||||
|         PortType.NETWORK for IP addresses, hostnames, or mDNS names | ||||
|     """ | ||||
| def get_port_type(port: str) -> str: | ||||
|     if port.startswith("/") or port.startswith("COM"): | ||||
|         return PortType.SERIAL | ||||
|     if port == "MQTT": | ||||
|         return PortType.MQTT | ||||
|     if port == "MQTTIP": | ||||
|         return PortType.MQTTIP | ||||
|     return PortType.NETWORK | ||||
|         return "SERIAL" | ||||
|     return _PORT_TO_PORT_TYPE.get(port, "NETWORK") | ||||
|  | ||||
|  | ||||
| def run_miniterm(config: ConfigType, port: str, args) -> int: | ||||
| @@ -502,9 +398,7 @@ def write_cpp_file() -> int: | ||||
| def compile_program(args: ArgsProtocol, config: ConfigType) -> int: | ||||
|     from esphome import platformio_api | ||||
|  | ||||
|     # NOTE: "Build path:" format is parsed by script/ci_memory_impact_extract.py | ||||
|     # If you change this format, update the regex in that script as well | ||||
|     _LOGGER.info("Compiling app... Build path: %s", CORE.build_path) | ||||
|     _LOGGER.info("Compiling app...") | ||||
|     rc = platformio_api.run_compile(config, CORE.verbose) | ||||
|     if rc != 0: | ||||
|         return rc | ||||
| @@ -589,7 +483,7 @@ def upload_using_platformio(config: ConfigType, port: str): | ||||
|  | ||||
|  | ||||
| def check_permissions(port: str): | ||||
|     if os.name == "posix" and get_port_type(port) == PortType.SERIAL: | ||||
|     if os.name == "posix" and get_port_type(port) == "SERIAL": | ||||
|         # Check if we can open selected serial port | ||||
|         if not os.access(port, os.F_OK): | ||||
|             raise EsphomeError( | ||||
| @@ -617,7 +511,7 @@ def upload_program( | ||||
|     except AttributeError: | ||||
|         pass | ||||
|  | ||||
|     if get_port_type(host) == PortType.SERIAL: | ||||
|     if get_port_type(host) == "SERIAL": | ||||
|         check_permissions(host) | ||||
|  | ||||
|         exit_code = 1 | ||||
| @@ -644,16 +538,17 @@ def upload_program( | ||||
|     from esphome import espota2 | ||||
|  | ||||
|     remote_port = int(ota_conf[CONF_PORT]) | ||||
|     password = ota_conf.get(CONF_PASSWORD) | ||||
|     password = ota_conf.get(CONF_PASSWORD, "") | ||||
|     if getattr(args, "file", None) is not None: | ||||
|         binary = Path(args.file) | ||||
|     else: | ||||
|         binary = CORE.firmware_bin | ||||
|  | ||||
|     # Resolve MQTT magic strings to actual IP addresses | ||||
|     network_devices = _resolve_network_devices(devices, config, args) | ||||
|     # MQTT address resolution | ||||
|     if get_port_type(host) in ("MQTT", "MQTTIP"): | ||||
|         devices = mqtt_get_ip(config, args.username, args.password, args.client_id) | ||||
|  | ||||
|     return espota2.run_ota(network_devices, remote_port, password, binary) | ||||
|     return espota2.run_ota(devices, remote_port, password, binary) | ||||
|  | ||||
|  | ||||
| def show_logs(config: ConfigType, args: ArgsProtocol, devices: list[str]) -> int | None: | ||||
| @@ -668,22 +563,32 @@ def show_logs(config: ConfigType, args: ArgsProtocol, devices: list[str]) -> int | ||||
|         raise EsphomeError("Logger is not configured!") | ||||
|  | ||||
|     port = devices[0] | ||||
|     port_type = get_port_type(port) | ||||
|  | ||||
|     if port_type == PortType.SERIAL: | ||||
|     if get_port_type(port) == "SERIAL": | ||||
|         check_permissions(port) | ||||
|         return run_miniterm(config, port, args) | ||||
|  | ||||
|     port_type = get_port_type(port) | ||||
|  | ||||
|     # Check if we should use API for logging | ||||
|     # Resolve MQTT magic strings to actual IP addresses | ||||
|     if has_api() and ( | ||||
|         network_devices := _resolve_network_devices(devices, config, args) | ||||
|     ): | ||||
|         from esphome.components.api.client import run_logs | ||||
|     if has_api(): | ||||
|         addresses_to_use: list[str] | None = None | ||||
|  | ||||
|         return run_logs(config, network_devices) | ||||
|         if port_type == "NETWORK" and (has_mdns() or is_ip_address(port)): | ||||
|             addresses_to_use = devices | ||||
|         elif port_type in ("NETWORK", "MQTT", "MQTTIP") and has_mqtt_ip_lookup(): | ||||
|             # Only use MQTT IP lookup if the first condition didn't match | ||||
|             # (for MQTT/MQTTIP types, or for NETWORK when mdns/ip check fails) | ||||
|             addresses_to_use = mqtt_get_ip( | ||||
|                 config, args.username, args.password, args.client_id | ||||
|             ) | ||||
|  | ||||
|     if port_type in (PortType.NETWORK, PortType.MQTT) and has_mqtt_logging(): | ||||
|         if addresses_to_use is not None: | ||||
|             from esphome.components.api.client import run_logs | ||||
|  | ||||
|             return run_logs(config, addresses_to_use) | ||||
|  | ||||
|     if port_type in ("NETWORK", "MQTT") and has_mqtt_logging(): | ||||
|         from esphome import mqtt | ||||
|  | ||||
|         return mqtt.show_logs( | ||||
| @@ -933,54 +838,6 @@ def command_idedata(args: ArgsProtocol, config: ConfigType) -> int: | ||||
|     return 0 | ||||
|  | ||||
|  | ||||
| def command_analyze_memory(args: ArgsProtocol, config: ConfigType) -> int: | ||||
|     """Analyze memory usage by component. | ||||
|  | ||||
|     This command compiles the configuration and performs memory analysis. | ||||
|     Compilation is fast if sources haven't changed (just relinking). | ||||
|     """ | ||||
|     from esphome import platformio_api | ||||
|     from esphome.analyze_memory.cli import MemoryAnalyzerCLI | ||||
|  | ||||
|     # Always compile to ensure fresh data (fast if no changes - just relinks) | ||||
|     exit_code = write_cpp(config) | ||||
|     if exit_code != 0: | ||||
|         return exit_code | ||||
|     exit_code = compile_program(args, config) | ||||
|     if exit_code != 0: | ||||
|         return exit_code | ||||
|     _LOGGER.info("Successfully compiled program.") | ||||
|  | ||||
|     # Get idedata for analysis | ||||
|     idedata = platformio_api.get_idedata(config) | ||||
|     if idedata is None: | ||||
|         _LOGGER.error("Failed to get IDE data for memory analysis") | ||||
|         return 1 | ||||
|  | ||||
|     firmware_elf = Path(idedata.firmware_elf_path) | ||||
|  | ||||
|     # Extract external components from config | ||||
|     external_components = detect_external_components(config) | ||||
|     _LOGGER.debug("Detected external components: %s", external_components) | ||||
|  | ||||
|     # Perform memory analysis | ||||
|     _LOGGER.info("Analyzing memory usage...") | ||||
|     analyzer = MemoryAnalyzerCLI( | ||||
|         str(firmware_elf), | ||||
|         idedata.objdump_path, | ||||
|         idedata.readelf_path, | ||||
|         external_components, | ||||
|     ) | ||||
|     analyzer.analyze() | ||||
|  | ||||
|     # Generate and display report | ||||
|     report = analyzer.generate_report() | ||||
|     print() | ||||
|     print(report) | ||||
|  | ||||
|     return 0 | ||||
|  | ||||
|  | ||||
| def command_rename(args: ArgsProtocol, config: ConfigType) -> int | None: | ||||
|     new_name = args.name | ||||
|     for c in new_name: | ||||
| @@ -1096,7 +953,6 @@ POST_CONFIG_ACTIONS = { | ||||
|     "idedata": command_idedata, | ||||
|     "rename": command_rename, | ||||
|     "discover": command_discover, | ||||
|     "analyze-memory": command_analyze_memory, | ||||
| } | ||||
|  | ||||
| SIMPLE_CONFIG_ACTIONS = [ | ||||
| @@ -1149,12 +1005,6 @@ def parse_args(argv): | ||||
|         action="append", | ||||
|         default=[], | ||||
|     ) | ||||
|     options_parser.add_argument( | ||||
|         "--testing-mode", | ||||
|         help="Enable testing mode (disables validation checks for grouped component testing)", | ||||
|         action="store_true", | ||||
|         default=False, | ||||
|     ) | ||||
|  | ||||
|     parser = argparse.ArgumentParser( | ||||
|         description=f"ESPHome {const.__version__}", parents=[options_parser] | ||||
| @@ -1393,14 +1243,6 @@ def parse_args(argv): | ||||
|     ) | ||||
|     parser_rename.add_argument("name", help="The new name for the device.", type=str) | ||||
|  | ||||
|     parser_analyze_memory = subparsers.add_parser( | ||||
|         "analyze-memory", | ||||
|         help="Analyze memory usage by component.", | ||||
|     ) | ||||
|     parser_analyze_memory.add_argument( | ||||
|         "configuration", help="Your YAML configuration file(s).", nargs="+" | ||||
|     ) | ||||
|  | ||||
|     # Keep backward compatibility with the old command line format of | ||||
|     # esphome <config> <command>. | ||||
|     # | ||||
| @@ -1432,7 +1274,6 @@ def run_esphome(argv): | ||||
|  | ||||
|     args = parse_args(argv) | ||||
|     CORE.dashboard = args.dashboard | ||||
|     CORE.testing_mode = args.testing_mode | ||||
|  | ||||
|     # Create address cache from command-line arguments | ||||
|     CORE.address_cache = AddressCache.from_cli_args( | ||||
|   | ||||
							
								
								
									
										1618
									
								
								esphome/analyze_memory.py
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										1618
									
								
								esphome/analyze_memory.py
									
									
									
									
									
										Normal file
									
								
							
										
											
												File diff suppressed because it is too large
												Load Diff
											
										
									
								
							| @@ -1,502 +0,0 @@ | ||||
| """Memory usage analyzer for ESPHome compiled binaries.""" | ||||
|  | ||||
| from collections import defaultdict | ||||
| from dataclasses import dataclass, field | ||||
| import logging | ||||
| from pathlib import Path | ||||
| import re | ||||
| import subprocess | ||||
| from typing import TYPE_CHECKING | ||||
|  | ||||
| from .const import ( | ||||
|     CORE_SUBCATEGORY_PATTERNS, | ||||
|     DEMANGLED_PATTERNS, | ||||
|     ESPHOME_COMPONENT_PATTERN, | ||||
|     SECTION_TO_ATTR, | ||||
|     SYMBOL_PATTERNS, | ||||
| ) | ||||
| from .helpers import ( | ||||
|     get_component_class_patterns, | ||||
|     get_esphome_components, | ||||
|     map_section_name, | ||||
|     parse_symbol_line, | ||||
| ) | ||||
|  | ||||
| if TYPE_CHECKING: | ||||
|     from esphome.platformio_api import IDEData | ||||
|  | ||||
| _LOGGER = logging.getLogger(__name__) | ||||
|  | ||||
| # GCC global constructor/destructor prefix annotations | ||||
| _GCC_PREFIX_ANNOTATIONS = { | ||||
|     "_GLOBAL__sub_I_": "global constructor for", | ||||
|     "_GLOBAL__sub_D_": "global destructor for", | ||||
| } | ||||
|  | ||||
| # GCC optimization suffix pattern (e.g., $isra$0, $part$1, $constprop$2) | ||||
| _GCC_OPTIMIZATION_SUFFIX_PATTERN = re.compile(r"(\$(?:isra|part|constprop)\$\d+)") | ||||
|  | ||||
| # C++ runtime patterns for categorization | ||||
| _CPP_RUNTIME_PATTERNS = frozenset(["vtable", "typeinfo", "thunk"]) | ||||
|  | ||||
| # libc printf/scanf family base names (used to detect variants like _printf_r, vfprintf, etc.) | ||||
| _LIBC_PRINTF_SCANF_FAMILY = frozenset(["printf", "fprintf", "sprintf", "scanf"]) | ||||
|  | ||||
| # Regex pattern for parsing readelf section headers | ||||
| # Format: [ #] name type addr off size | ||||
| _READELF_SECTION_PATTERN = re.compile( | ||||
|     r"\s*\[\s*\d+\]\s+([\.\w]+)\s+\w+\s+[\da-fA-F]+\s+[\da-fA-F]+\s+([\da-fA-F]+)" | ||||
| ) | ||||
|  | ||||
| # Component category prefixes | ||||
| _COMPONENT_PREFIX_ESPHOME = "[esphome]" | ||||
| _COMPONENT_PREFIX_EXTERNAL = "[external]" | ||||
| _COMPONENT_CORE = f"{_COMPONENT_PREFIX_ESPHOME}core" | ||||
| _COMPONENT_API = f"{_COMPONENT_PREFIX_ESPHOME}api" | ||||
|  | ||||
| # C++ namespace prefixes | ||||
| _NAMESPACE_ESPHOME = "esphome::" | ||||
| _NAMESPACE_STD = "std::" | ||||
|  | ||||
| # Type alias for symbol information: (symbol_name, size, component) | ||||
| SymbolInfoType = tuple[str, int, str] | ||||
|  | ||||
|  | ||||
| @dataclass | ||||
| class MemorySection: | ||||
|     """Represents a memory section with its symbols.""" | ||||
|  | ||||
|     name: str | ||||
|     symbols: list[SymbolInfoType] = field(default_factory=list) | ||||
|     total_size: int = 0 | ||||
|  | ||||
|  | ||||
| @dataclass | ||||
| class ComponentMemory: | ||||
|     """Tracks memory usage for a component.""" | ||||
|  | ||||
|     name: str | ||||
|     text_size: int = 0  # Code in flash | ||||
|     rodata_size: int = 0  # Read-only data in flash | ||||
|     data_size: int = 0  # Initialized data (flash + ram) | ||||
|     bss_size: int = 0  # Uninitialized data (ram only) | ||||
|     symbol_count: int = 0 | ||||
|  | ||||
|     @property | ||||
|     def flash_total(self) -> int: | ||||
|         """Total flash usage (text + rodata + data).""" | ||||
|         return self.text_size + self.rodata_size + self.data_size | ||||
|  | ||||
|     @property | ||||
|     def ram_total(self) -> int: | ||||
|         """Total RAM usage (data + bss).""" | ||||
|         return self.data_size + self.bss_size | ||||
|  | ||||
|  | ||||
| class MemoryAnalyzer: | ||||
|     """Analyzes memory usage from ELF files.""" | ||||
|  | ||||
|     def __init__( | ||||
|         self, | ||||
|         elf_path: str, | ||||
|         objdump_path: str | None = None, | ||||
|         readelf_path: str | None = None, | ||||
|         external_components: set[str] | None = None, | ||||
|         idedata: "IDEData | None" = None, | ||||
|     ) -> None: | ||||
|         """Initialize memory analyzer. | ||||
|  | ||||
|         Args: | ||||
|             elf_path: Path to ELF file to analyze | ||||
|             objdump_path: Path to objdump binary (auto-detected from idedata if not provided) | ||||
|             readelf_path: Path to readelf binary (auto-detected from idedata if not provided) | ||||
|             external_components: Set of external component names | ||||
|             idedata: Optional PlatformIO IDEData object to auto-detect toolchain paths | ||||
|         """ | ||||
|         self.elf_path = Path(elf_path) | ||||
|         if not self.elf_path.exists(): | ||||
|             raise FileNotFoundError(f"ELF file not found: {elf_path}") | ||||
|  | ||||
|         # Auto-detect toolchain paths from idedata if not provided | ||||
|         if idedata is not None and (objdump_path is None or readelf_path is None): | ||||
|             objdump_path = objdump_path or idedata.objdump_path | ||||
|             readelf_path = readelf_path or idedata.readelf_path | ||||
|             _LOGGER.debug("Using toolchain paths from PlatformIO idedata") | ||||
|  | ||||
|         self.objdump_path = objdump_path or "objdump" | ||||
|         self.readelf_path = readelf_path or "readelf" | ||||
|         self.external_components = external_components or set() | ||||
|  | ||||
|         self.sections: dict[str, MemorySection] = {} | ||||
|         self.components: dict[str, ComponentMemory] = defaultdict( | ||||
|             lambda: ComponentMemory("") | ||||
|         ) | ||||
|         self._demangle_cache: dict[str, str] = {} | ||||
|         self._uncategorized_symbols: list[tuple[str, str, int]] = [] | ||||
|         self._esphome_core_symbols: list[ | ||||
|             tuple[str, str, int] | ||||
|         ] = []  # Track core symbols | ||||
|         self._component_symbols: dict[str, list[tuple[str, str, int]]] = defaultdict( | ||||
|             list | ||||
|         )  # Track symbols for all components | ||||
|  | ||||
|     def analyze(self) -> dict[str, ComponentMemory]: | ||||
|         """Analyze the ELF file and return component memory usage.""" | ||||
|         self._parse_sections() | ||||
|         self._parse_symbols() | ||||
|         self._categorize_symbols() | ||||
|         return dict(self.components) | ||||
|  | ||||
|     def _parse_sections(self) -> None: | ||||
|         """Parse section headers from ELF file.""" | ||||
|         result = subprocess.run( | ||||
|             [self.readelf_path, "-S", str(self.elf_path)], | ||||
|             capture_output=True, | ||||
|             text=True, | ||||
|             check=True, | ||||
|         ) | ||||
|  | ||||
|         # Parse section headers | ||||
|         for line in result.stdout.splitlines(): | ||||
|             # Look for section entries | ||||
|             if not (match := _READELF_SECTION_PATTERN.match(line)): | ||||
|                 continue | ||||
|  | ||||
|             section_name = match.group(1) | ||||
|             size_hex = match.group(2) | ||||
|             size = int(size_hex, 16) | ||||
|  | ||||
|             # Map to standard section name | ||||
|             mapped_section = map_section_name(section_name) | ||||
|             if not mapped_section: | ||||
|                 continue | ||||
|  | ||||
|             if mapped_section not in self.sections: | ||||
|                 self.sections[mapped_section] = MemorySection(mapped_section) | ||||
|             self.sections[mapped_section].total_size += size | ||||
|  | ||||
|     def _parse_symbols(self) -> None: | ||||
|         """Parse symbols from ELF file.""" | ||||
|         result = subprocess.run( | ||||
|             [self.objdump_path, "-t", str(self.elf_path)], | ||||
|             capture_output=True, | ||||
|             text=True, | ||||
|             check=True, | ||||
|         ) | ||||
|  | ||||
|         # Track seen addresses to avoid duplicates | ||||
|         seen_addresses: set[str] = set() | ||||
|  | ||||
|         for line in result.stdout.splitlines(): | ||||
|             if not (symbol_info := parse_symbol_line(line)): | ||||
|                 continue | ||||
|  | ||||
|             section, name, size, address = symbol_info | ||||
|  | ||||
|             # Skip duplicate symbols at the same address (e.g., C1/C2 constructors) | ||||
|             if address in seen_addresses or section not in self.sections: | ||||
|                 continue | ||||
|  | ||||
|             self.sections[section].symbols.append((name, size, "")) | ||||
|             seen_addresses.add(address) | ||||
|  | ||||
|     def _categorize_symbols(self) -> None: | ||||
|         """Categorize symbols by component.""" | ||||
|         # First, collect all unique symbol names for batch demangling | ||||
|         all_symbols = { | ||||
|             symbol_name | ||||
|             for section in self.sections.values() | ||||
|             for symbol_name, _, _ in section.symbols | ||||
|         } | ||||
|  | ||||
|         # Batch demangle all symbols at once | ||||
|         self._batch_demangle_symbols(list(all_symbols)) | ||||
|  | ||||
|         # Now categorize with cached demangled names | ||||
|         for section_name, section in self.sections.items(): | ||||
|             for symbol_name, size, _ in section.symbols: | ||||
|                 component = self._identify_component(symbol_name) | ||||
|  | ||||
|                 if component not in self.components: | ||||
|                     self.components[component] = ComponentMemory(component) | ||||
|  | ||||
|                 comp_mem = self.components[component] | ||||
|                 comp_mem.symbol_count += 1 | ||||
|  | ||||
|                 # Update the appropriate size attribute based on section | ||||
|                 if attr_name := SECTION_TO_ATTR.get(section_name): | ||||
|                     setattr(comp_mem, attr_name, getattr(comp_mem, attr_name) + size) | ||||
|  | ||||
|                 # Track uncategorized symbols | ||||
|                 if component == "other" and size > 0: | ||||
|                     demangled = self._demangle_symbol(symbol_name) | ||||
|                     self._uncategorized_symbols.append((symbol_name, demangled, size)) | ||||
|  | ||||
|                 # Track ESPHome core symbols for detailed analysis | ||||
|                 if component == _COMPONENT_CORE and size > 0: | ||||
|                     demangled = self._demangle_symbol(symbol_name) | ||||
|                     self._esphome_core_symbols.append((symbol_name, demangled, size)) | ||||
|  | ||||
|                 # Track all component symbols for detailed analysis | ||||
|                 if size > 0: | ||||
|                     demangled = self._demangle_symbol(symbol_name) | ||||
|                     self._component_symbols[component].append( | ||||
|                         (symbol_name, demangled, size) | ||||
|                     ) | ||||
|  | ||||
|     def _identify_component(self, symbol_name: str) -> str: | ||||
|         """Identify which component a symbol belongs to.""" | ||||
|         # Demangle C++ names if needed | ||||
|         demangled = self._demangle_symbol(symbol_name) | ||||
|  | ||||
|         # Check for special component classes first (before namespace pattern) | ||||
|         # This handles cases like esphome::ESPHomeOTAComponent which should map to ota | ||||
|         if _NAMESPACE_ESPHOME in demangled: | ||||
|             # Check for special component classes that include component name in the class | ||||
|             # For example: esphome::ESPHomeOTAComponent -> ota component | ||||
|             for component_name in get_esphome_components(): | ||||
|                 patterns = get_component_class_patterns(component_name) | ||||
|                 if any(pattern in demangled for pattern in patterns): | ||||
|                     return f"{_COMPONENT_PREFIX_ESPHOME}{component_name}" | ||||
|  | ||||
|         # Check for ESPHome component namespaces | ||||
|         match = ESPHOME_COMPONENT_PATTERN.search(demangled) | ||||
|         if match: | ||||
|             component_name = match.group(1) | ||||
|             # Strip trailing underscore if present (e.g., switch_ -> switch) | ||||
|             component_name = component_name.rstrip("_") | ||||
|  | ||||
|             # Check if this is an actual component in the components directory | ||||
|             if component_name in get_esphome_components(): | ||||
|                 return f"{_COMPONENT_PREFIX_ESPHOME}{component_name}" | ||||
|             # Check if this is a known external component from the config | ||||
|             if component_name in self.external_components: | ||||
|                 return f"{_COMPONENT_PREFIX_EXTERNAL}{component_name}" | ||||
|             # Everything else in esphome:: namespace is core | ||||
|             return _COMPONENT_CORE | ||||
|  | ||||
|         # Check for esphome core namespace (no component namespace) | ||||
|         if _NAMESPACE_ESPHOME in demangled: | ||||
|             # If no component match found, it's core | ||||
|             return _COMPONENT_CORE | ||||
|  | ||||
|         # Check against symbol patterns | ||||
|         for component, patterns in SYMBOL_PATTERNS.items(): | ||||
|             if any(pattern in symbol_name for pattern in patterns): | ||||
|                 return component | ||||
|  | ||||
|         # Check against demangled patterns | ||||
|         for component, patterns in DEMANGLED_PATTERNS.items(): | ||||
|             if any(pattern in demangled for pattern in patterns): | ||||
|                 return component | ||||
|  | ||||
|         # Special cases that need more complex logic | ||||
|  | ||||
|         # Check if spi_flash vs spi_driver | ||||
|         if "spi_" in symbol_name or "SPI" in symbol_name: | ||||
|             return "spi_flash" if "spi_flash" in symbol_name else "spi_driver" | ||||
|  | ||||
|         # libc special printf variants | ||||
|         if ( | ||||
|             symbol_name.startswith("_") | ||||
|             and symbol_name[1:].replace("_r", "").replace("v", "").replace("s", "") | ||||
|             in _LIBC_PRINTF_SCANF_FAMILY | ||||
|         ): | ||||
|             return "libc" | ||||
|  | ||||
|         # Track uncategorized symbols for analysis | ||||
|         return "other" | ||||
|  | ||||
|     def _batch_demangle_symbols(self, symbols: list[str]) -> None: | ||||
|         """Batch demangle C++ symbol names for efficiency.""" | ||||
|         if not symbols: | ||||
|             return | ||||
|  | ||||
|         # Try to find the appropriate c++filt for the platform | ||||
|         cppfilt_cmd = "c++filt" | ||||
|  | ||||
|         _LOGGER.info("Demangling %d symbols", len(symbols)) | ||||
|         _LOGGER.debug("objdump_path = %s", self.objdump_path) | ||||
|  | ||||
|         # Check if we have a toolchain-specific c++filt | ||||
|         if self.objdump_path and self.objdump_path != "objdump": | ||||
|             # Replace objdump with c++filt in the path | ||||
|             potential_cppfilt = self.objdump_path.replace("objdump", "c++filt") | ||||
|             _LOGGER.info("Checking for toolchain c++filt at: %s", potential_cppfilt) | ||||
|             if Path(potential_cppfilt).exists(): | ||||
|                 cppfilt_cmd = potential_cppfilt | ||||
|                 _LOGGER.info("✓ Using toolchain c++filt: %s", cppfilt_cmd) | ||||
|             else: | ||||
|                 _LOGGER.info( | ||||
|                     "✗ Toolchain c++filt not found at %s, using system c++filt", | ||||
|                     potential_cppfilt, | ||||
|                 ) | ||||
|         else: | ||||
|             _LOGGER.info("✗ Using system c++filt (objdump_path=%s)", self.objdump_path) | ||||
|  | ||||
|         # Strip GCC optimization suffixes and prefixes before demangling | ||||
|         # Suffixes like $isra$0, $part$0, $constprop$0 confuse c++filt | ||||
|         # Prefixes like _GLOBAL__sub_I_ need to be removed and tracked | ||||
|         symbols_stripped: list[str] = [] | ||||
|         symbols_prefixes: list[str] = []  # Track removed prefixes | ||||
|         for symbol in symbols: | ||||
|             # Remove GCC optimization markers | ||||
|             stripped = _GCC_OPTIMIZATION_SUFFIX_PATTERN.sub("", symbol) | ||||
|  | ||||
|             # Handle GCC global constructor/initializer prefixes | ||||
|             # _GLOBAL__sub_I_<mangled> -> extract <mangled> for demangling | ||||
|             prefix = "" | ||||
|             for gcc_prefix in _GCC_PREFIX_ANNOTATIONS: | ||||
|                 if stripped.startswith(gcc_prefix): | ||||
|                     prefix = gcc_prefix | ||||
|                     stripped = stripped[len(prefix) :] | ||||
|                     break | ||||
|  | ||||
|             symbols_stripped.append(stripped) | ||||
|             symbols_prefixes.append(prefix) | ||||
|  | ||||
|         try: | ||||
|             # Send all symbols to c++filt at once | ||||
|             result = subprocess.run( | ||||
|                 [cppfilt_cmd], | ||||
|                 input="\n".join(symbols_stripped), | ||||
|                 capture_output=True, | ||||
|                 text=True, | ||||
|                 check=False, | ||||
|             ) | ||||
|         except (subprocess.SubprocessError, OSError, UnicodeDecodeError) as e: | ||||
|             # On error, cache originals | ||||
|             _LOGGER.warning("Failed to batch demangle symbols: %s", e) | ||||
|             for symbol in symbols: | ||||
|                 self._demangle_cache[symbol] = symbol | ||||
|             return | ||||
|  | ||||
|         if result.returncode != 0: | ||||
|             _LOGGER.warning( | ||||
|                 "c++filt exited with code %d: %s", | ||||
|                 result.returncode, | ||||
|                 result.stderr[:200] if result.stderr else "(no error output)", | ||||
|             ) | ||||
|             # Cache originals on failure | ||||
|             for symbol in symbols: | ||||
|                 self._demangle_cache[symbol] = symbol | ||||
|             return | ||||
|  | ||||
|         # Process demangled output | ||||
|         self._process_demangled_output( | ||||
|             symbols, symbols_stripped, symbols_prefixes, result.stdout, cppfilt_cmd | ||||
|         ) | ||||
|  | ||||
|     def _process_demangled_output( | ||||
|         self, | ||||
|         symbols: list[str], | ||||
|         symbols_stripped: list[str], | ||||
|         symbols_prefixes: list[str], | ||||
|         demangled_output: str, | ||||
|         cppfilt_cmd: str, | ||||
|     ) -> None: | ||||
|         """Process demangled symbol output and populate cache. | ||||
|  | ||||
|         Args: | ||||
|             symbols: Original symbol names | ||||
|             symbols_stripped: Stripped symbol names sent to c++filt | ||||
|             symbols_prefixes: Removed prefixes to restore | ||||
|             demangled_output: Output from c++filt | ||||
|             cppfilt_cmd: Path to c++filt command (for logging) | ||||
|         """ | ||||
|         demangled_lines = demangled_output.strip().split("\n") | ||||
|         failed_count = 0 | ||||
|  | ||||
|         for original, stripped, prefix, demangled in zip( | ||||
|             symbols, symbols_stripped, symbols_prefixes, demangled_lines | ||||
|         ): | ||||
|             # Add back any prefix that was removed | ||||
|             demangled = self._restore_symbol_prefix(prefix, stripped, demangled) | ||||
|  | ||||
|             # If we stripped a suffix, add it back to the demangled name for clarity | ||||
|             if original != stripped and not prefix: | ||||
|                 demangled = self._restore_symbol_suffix(original, demangled) | ||||
|  | ||||
|             self._demangle_cache[original] = demangled | ||||
|  | ||||
|             # Log symbols that failed to demangle (stayed the same as stripped version) | ||||
|             if stripped == demangled and stripped.startswith("_Z"): | ||||
|                 failed_count += 1 | ||||
|                 if failed_count <= 5:  # Only log first 5 failures | ||||
|                     _LOGGER.warning("Failed to demangle: %s", original) | ||||
|  | ||||
|         if failed_count == 0: | ||||
|             _LOGGER.info("Successfully demangled all %d symbols", len(symbols)) | ||||
|             return | ||||
|  | ||||
|         _LOGGER.warning( | ||||
|             "Failed to demangle %d/%d symbols using %s", | ||||
|             failed_count, | ||||
|             len(symbols), | ||||
|             cppfilt_cmd, | ||||
|         ) | ||||
|  | ||||
|     @staticmethod | ||||
|     def _restore_symbol_prefix(prefix: str, stripped: str, demangled: str) -> str: | ||||
|         """Restore prefix that was removed before demangling. | ||||
|  | ||||
|         Args: | ||||
|             prefix: Prefix that was removed (e.g., "_GLOBAL__sub_I_") | ||||
|             stripped: Stripped symbol name | ||||
|             demangled: Demangled symbol name | ||||
|  | ||||
|         Returns: | ||||
|             Demangled name with prefix restored/annotated | ||||
|         """ | ||||
|         if not prefix: | ||||
|             return demangled | ||||
|  | ||||
|         # Successfully demangled - add descriptive prefix | ||||
|         if demangled != stripped and ( | ||||
|             annotation := _GCC_PREFIX_ANNOTATIONS.get(prefix) | ||||
|         ): | ||||
|             return f"[{annotation}: {demangled}]" | ||||
|  | ||||
|         # Failed to demangle - restore original prefix | ||||
|         return prefix + demangled | ||||
|  | ||||
|     @staticmethod | ||||
|     def _restore_symbol_suffix(original: str, demangled: str) -> str: | ||||
|         """Restore GCC optimization suffix that was removed before demangling. | ||||
|  | ||||
|         Args: | ||||
|             original: Original symbol name with suffix | ||||
|             demangled: Demangled symbol name without suffix | ||||
|  | ||||
|         Returns: | ||||
|             Demangled name with suffix annotation | ||||
|         """ | ||||
|         if suffix_match := _GCC_OPTIMIZATION_SUFFIX_PATTERN.search(original): | ||||
|             return f"{demangled} [{suffix_match.group(1)}]" | ||||
|         return demangled | ||||
|  | ||||
|     def _demangle_symbol(self, symbol: str) -> str: | ||||
|         """Get demangled C++ symbol name from cache.""" | ||||
|         return self._demangle_cache.get(symbol, symbol) | ||||
|  | ||||
|     def _categorize_esphome_core_symbol(self, demangled: str) -> str: | ||||
|         """Categorize ESPHome core symbols into subcategories.""" | ||||
|         # Special patterns that need to be checked separately | ||||
|         if any(pattern in demangled for pattern in _CPP_RUNTIME_PATTERNS): | ||||
|             return "C++ Runtime (vtables/RTTI)" | ||||
|  | ||||
|         if demangled.startswith(_NAMESPACE_STD): | ||||
|             return "C++ STL" | ||||
|  | ||||
|         # Check against patterns from const.py | ||||
|         for category, patterns in CORE_SUBCATEGORY_PATTERNS.items(): | ||||
|             if any(pattern in demangled for pattern in patterns): | ||||
|                 return category | ||||
|  | ||||
|         return "Other Core" | ||||
|  | ||||
|  | ||||
| if __name__ == "__main__": | ||||
|     from .cli import main | ||||
|  | ||||
|     main() | ||||
| @@ -1,6 +0,0 @@ | ||||
| """Main entry point for running the memory analyzer as a module.""" | ||||
|  | ||||
| from .cli import main | ||||
|  | ||||
| if __name__ == "__main__": | ||||
|     main() | ||||
| @@ -1,431 +0,0 @@ | ||||
| """CLI interface for memory analysis with report generation.""" | ||||
|  | ||||
| from collections import defaultdict | ||||
| import json | ||||
| import sys | ||||
|  | ||||
| from . import ( | ||||
|     _COMPONENT_API, | ||||
|     _COMPONENT_CORE, | ||||
|     _COMPONENT_PREFIX_ESPHOME, | ||||
|     _COMPONENT_PREFIX_EXTERNAL, | ||||
|     MemoryAnalyzer, | ||||
| ) | ||||
|  | ||||
|  | ||||
| class MemoryAnalyzerCLI(MemoryAnalyzer): | ||||
|     """Memory analyzer with CLI-specific report generation.""" | ||||
|  | ||||
|     # Column width constants | ||||
|     COL_COMPONENT: int = 29 | ||||
|     COL_FLASH_TEXT: int = 14 | ||||
|     COL_FLASH_DATA: int = 14 | ||||
|     COL_RAM_DATA: int = 12 | ||||
|     COL_RAM_BSS: int = 12 | ||||
|     COL_TOTAL_FLASH: int = 15 | ||||
|     COL_TOTAL_RAM: int = 12 | ||||
|     COL_SEPARATOR: int = 3  # " | " | ||||
|  | ||||
|     # Core analysis column widths | ||||
|     COL_CORE_SUBCATEGORY: int = 30 | ||||
|     COL_CORE_SIZE: int = 12 | ||||
|     COL_CORE_COUNT: int = 6 | ||||
|     COL_CORE_PERCENT: int = 10 | ||||
|  | ||||
|     # Calculate table width once at class level | ||||
|     TABLE_WIDTH: int = ( | ||||
|         COL_COMPONENT | ||||
|         + COL_SEPARATOR | ||||
|         + COL_FLASH_TEXT | ||||
|         + COL_SEPARATOR | ||||
|         + COL_FLASH_DATA | ||||
|         + COL_SEPARATOR | ||||
|         + COL_RAM_DATA | ||||
|         + COL_SEPARATOR | ||||
|         + COL_RAM_BSS | ||||
|         + COL_SEPARATOR | ||||
|         + COL_TOTAL_FLASH | ||||
|         + COL_SEPARATOR | ||||
|         + COL_TOTAL_RAM | ||||
|     ) | ||||
|  | ||||
|     @staticmethod | ||||
|     def _make_separator_line(*widths: int) -> str: | ||||
|         """Create a separator line with given column widths. | ||||
|  | ||||
|         Args: | ||||
|             widths: Column widths to create separators for | ||||
|  | ||||
|         Returns: | ||||
|             Separator line like "----+---------+-----" | ||||
|         """ | ||||
|         return "-+-".join("-" * width for width in widths) | ||||
|  | ||||
|     # Pre-computed separator lines | ||||
|     MAIN_TABLE_SEPARATOR: str = _make_separator_line( | ||||
|         COL_COMPONENT, | ||||
|         COL_FLASH_TEXT, | ||||
|         COL_FLASH_DATA, | ||||
|         COL_RAM_DATA, | ||||
|         COL_RAM_BSS, | ||||
|         COL_TOTAL_FLASH, | ||||
|         COL_TOTAL_RAM, | ||||
|     ) | ||||
|  | ||||
|     CORE_TABLE_SEPARATOR: str = _make_separator_line( | ||||
|         COL_CORE_SUBCATEGORY, | ||||
|         COL_CORE_SIZE, | ||||
|         COL_CORE_COUNT, | ||||
|         COL_CORE_PERCENT, | ||||
|     ) | ||||
|  | ||||
|     def generate_report(self, detailed: bool = False) -> str: | ||||
|         """Generate a formatted memory report.""" | ||||
|         components = sorted( | ||||
|             self.components.items(), key=lambda x: x[1].flash_total, reverse=True | ||||
|         ) | ||||
|  | ||||
|         # Calculate totals | ||||
|         total_flash = sum(c.flash_total for _, c in components) | ||||
|         total_ram = sum(c.ram_total for _, c in components) | ||||
|  | ||||
|         # Build report | ||||
|         lines: list[str] = [] | ||||
|  | ||||
|         lines.append("=" * self.TABLE_WIDTH) | ||||
|         lines.append("Component Memory Analysis".center(self.TABLE_WIDTH)) | ||||
|         lines.append("=" * self.TABLE_WIDTH) | ||||
|         lines.append("") | ||||
|  | ||||
|         # Main table - fixed column widths | ||||
|         lines.append( | ||||
|             f"{'Component':<{self.COL_COMPONENT}} | {'Flash (text)':>{self.COL_FLASH_TEXT}} | {'Flash (data)':>{self.COL_FLASH_DATA}} | {'RAM (data)':>{self.COL_RAM_DATA}} | {'RAM (bss)':>{self.COL_RAM_BSS}} | {'Total Flash':>{self.COL_TOTAL_FLASH}} | {'Total RAM':>{self.COL_TOTAL_RAM}}" | ||||
|         ) | ||||
|         lines.append(self.MAIN_TABLE_SEPARATOR) | ||||
|  | ||||
|         for name, mem in components: | ||||
|             if mem.flash_total > 0 or mem.ram_total > 0: | ||||
|                 flash_rodata = mem.rodata_size + mem.data_size | ||||
|                 lines.append( | ||||
|                     f"{name:<{self.COL_COMPONENT}} | {mem.text_size:>{self.COL_FLASH_TEXT - 2},} B | {flash_rodata:>{self.COL_FLASH_DATA - 2},} B | " | ||||
|                     f"{mem.data_size:>{self.COL_RAM_DATA - 2},} B | {mem.bss_size:>{self.COL_RAM_BSS - 2},} B | " | ||||
|                     f"{mem.flash_total:>{self.COL_TOTAL_FLASH - 2},} B | {mem.ram_total:>{self.COL_TOTAL_RAM - 2},} B" | ||||
|                 ) | ||||
|  | ||||
|         lines.append(self.MAIN_TABLE_SEPARATOR) | ||||
|         lines.append( | ||||
|             f"{'TOTAL':<{self.COL_COMPONENT}} | {' ':>{self.COL_FLASH_TEXT}} | {' ':>{self.COL_FLASH_DATA}} | " | ||||
|             f"{' ':>{self.COL_RAM_DATA}} | {' ':>{self.COL_RAM_BSS}} | " | ||||
|             f"{total_flash:>{self.COL_TOTAL_FLASH - 2},} B | {total_ram:>{self.COL_TOTAL_RAM - 2},} B" | ||||
|         ) | ||||
|  | ||||
|         # Top consumers | ||||
|         lines.append("") | ||||
|         lines.append("Top Flash Consumers:") | ||||
|         for i, (name, mem) in enumerate(components[:25]): | ||||
|             if mem.flash_total > 0: | ||||
|                 percentage = ( | ||||
|                     (mem.flash_total / total_flash * 100) if total_flash > 0 else 0 | ||||
|                 ) | ||||
|                 lines.append( | ||||
|                     f"{i + 1}. {name} ({mem.flash_total:,} B) - {percentage:.1f}% of analyzed flash" | ||||
|                 ) | ||||
|  | ||||
|         lines.append("") | ||||
|         lines.append("Top RAM Consumers:") | ||||
|         ram_components = sorted(components, key=lambda x: x[1].ram_total, reverse=True) | ||||
|         for i, (name, mem) in enumerate(ram_components[:25]): | ||||
|             if mem.ram_total > 0: | ||||
|                 percentage = (mem.ram_total / total_ram * 100) if total_ram > 0 else 0 | ||||
|                 lines.append( | ||||
|                     f"{i + 1}. {name} ({mem.ram_total:,} B) - {percentage:.1f}% of analyzed RAM" | ||||
|                 ) | ||||
|  | ||||
|         lines.append("") | ||||
|         lines.append( | ||||
|             "Note: This analysis covers symbols in the ELF file. Some runtime allocations may not be included." | ||||
|         ) | ||||
|         lines.append("=" * self.TABLE_WIDTH) | ||||
|  | ||||
|         # Add ESPHome core detailed analysis if there are core symbols | ||||
|         if self._esphome_core_symbols: | ||||
|             lines.append("") | ||||
|             lines.append("=" * self.TABLE_WIDTH) | ||||
|             lines.append( | ||||
|                 f"{_COMPONENT_CORE} Detailed Analysis".center(self.TABLE_WIDTH) | ||||
|             ) | ||||
|             lines.append("=" * self.TABLE_WIDTH) | ||||
|             lines.append("") | ||||
|  | ||||
|             # Group core symbols by subcategory | ||||
|             core_subcategories: dict[str, list[tuple[str, str, int]]] = defaultdict( | ||||
|                 list | ||||
|             ) | ||||
|  | ||||
|             for symbol, demangled, size in self._esphome_core_symbols: | ||||
|                 # Categorize based on demangled name patterns | ||||
|                 subcategory = self._categorize_esphome_core_symbol(demangled) | ||||
|                 core_subcategories[subcategory].append((symbol, demangled, size)) | ||||
|  | ||||
|             # Sort subcategories by total size | ||||
|             sorted_subcategories = sorted( | ||||
|                 [ | ||||
|                     (name, symbols, sum(s[2] for s in symbols)) | ||||
|                     for name, symbols in core_subcategories.items() | ||||
|                 ], | ||||
|                 key=lambda x: x[2], | ||||
|                 reverse=True, | ||||
|             ) | ||||
|  | ||||
|             lines.append( | ||||
|                 f"{'Subcategory':<{self.COL_CORE_SUBCATEGORY}} | {'Size':>{self.COL_CORE_SIZE}} | " | ||||
|                 f"{'Count':>{self.COL_CORE_COUNT}} | {'% of Core':>{self.COL_CORE_PERCENT}}" | ||||
|             ) | ||||
|             lines.append(self.CORE_TABLE_SEPARATOR) | ||||
|  | ||||
|             core_total = sum(size for _, _, size in self._esphome_core_symbols) | ||||
|  | ||||
|             for subcategory, symbols, total_size in sorted_subcategories: | ||||
|                 percentage = (total_size / core_total * 100) if core_total > 0 else 0 | ||||
|                 lines.append( | ||||
|                     f"{subcategory:<{self.COL_CORE_SUBCATEGORY}} | {total_size:>{self.COL_CORE_SIZE - 2},} B | " | ||||
|                     f"{len(symbols):>{self.COL_CORE_COUNT}} | {percentage:>{self.COL_CORE_PERCENT - 1}.1f}%" | ||||
|                 ) | ||||
|  | ||||
|             # Top 15 largest core symbols | ||||
|             lines.append("") | ||||
|             lines.append(f"Top 15 Largest {_COMPONENT_CORE} Symbols:") | ||||
|             sorted_core_symbols = sorted( | ||||
|                 self._esphome_core_symbols, key=lambda x: x[2], reverse=True | ||||
|             ) | ||||
|  | ||||
|             for i, (symbol, demangled, size) in enumerate(sorted_core_symbols[:15]): | ||||
|                 lines.append(f"{i + 1}. {demangled} ({size:,} B)") | ||||
|  | ||||
|             lines.append("=" * self.TABLE_WIDTH) | ||||
|  | ||||
|         # Add detailed analysis for top ESPHome and external components | ||||
|         esphome_components = [ | ||||
|             (name, mem) | ||||
|             for name, mem in components | ||||
|             if name.startswith(_COMPONENT_PREFIX_ESPHOME) and name != _COMPONENT_CORE | ||||
|         ] | ||||
|         external_components = [ | ||||
|             (name, mem) | ||||
|             for name, mem in components | ||||
|             if name.startswith(_COMPONENT_PREFIX_EXTERNAL) | ||||
|         ] | ||||
|  | ||||
|         top_esphome_components = sorted( | ||||
|             esphome_components, key=lambda x: x[1].flash_total, reverse=True | ||||
|         )[:30] | ||||
|  | ||||
|         # Include all external components (they're usually important) | ||||
|         top_external_components = sorted( | ||||
|             external_components, key=lambda x: x[1].flash_total, reverse=True | ||||
|         ) | ||||
|  | ||||
|         # Check if API component exists and ensure it's included | ||||
|         api_component = None | ||||
|         for name, mem in components: | ||||
|             if name == _COMPONENT_API: | ||||
|                 api_component = (name, mem) | ||||
|                 break | ||||
|  | ||||
|         # Combine all components to analyze: top ESPHome + all external + API if not already included | ||||
|         components_to_analyze = list(top_esphome_components) + list( | ||||
|             top_external_components | ||||
|         ) | ||||
|         if api_component and api_component not in components_to_analyze: | ||||
|             components_to_analyze.append(api_component) | ||||
|  | ||||
|         if components_to_analyze: | ||||
|             for comp_name, comp_mem in components_to_analyze: | ||||
|                 if not (comp_symbols := self._component_symbols.get(comp_name, [])): | ||||
|                     continue | ||||
|                 lines.append("") | ||||
|                 lines.append("=" * self.TABLE_WIDTH) | ||||
|                 lines.append(f"{comp_name} Detailed Analysis".center(self.TABLE_WIDTH)) | ||||
|                 lines.append("=" * self.TABLE_WIDTH) | ||||
|                 lines.append("") | ||||
|  | ||||
|                 # Sort symbols by size | ||||
|                 sorted_symbols = sorted(comp_symbols, key=lambda x: x[2], reverse=True) | ||||
|  | ||||
|                 lines.append(f"Total symbols: {len(sorted_symbols)}") | ||||
|                 lines.append(f"Total size: {comp_mem.flash_total:,} B") | ||||
|                 lines.append("") | ||||
|  | ||||
|                 # Show all symbols > 100 bytes for better visibility | ||||
|                 large_symbols = [ | ||||
|                     (sym, dem, size) for sym, dem, size in sorted_symbols if size > 100 | ||||
|                 ] | ||||
|  | ||||
|                 lines.append( | ||||
|                     f"{comp_name} Symbols > 100 B ({len(large_symbols)} symbols):" | ||||
|                 ) | ||||
|                 for i, (symbol, demangled, size) in enumerate(large_symbols): | ||||
|                     lines.append(f"{i + 1}. {demangled} ({size:,} B)") | ||||
|  | ||||
|                 lines.append("=" * self.TABLE_WIDTH) | ||||
|  | ||||
|         return "\n".join(lines) | ||||
|  | ||||
|     def to_json(self) -> str: | ||||
|         """Export analysis results as JSON.""" | ||||
|         data = { | ||||
|             "components": { | ||||
|                 name: { | ||||
|                     "text": mem.text_size, | ||||
|                     "rodata": mem.rodata_size, | ||||
|                     "data": mem.data_size, | ||||
|                     "bss": mem.bss_size, | ||||
|                     "flash_total": mem.flash_total, | ||||
|                     "ram_total": mem.ram_total, | ||||
|                     "symbol_count": mem.symbol_count, | ||||
|                 } | ||||
|                 for name, mem in self.components.items() | ||||
|             }, | ||||
|             "totals": { | ||||
|                 "flash": sum(c.flash_total for c in self.components.values()), | ||||
|                 "ram": sum(c.ram_total for c in self.components.values()), | ||||
|             }, | ||||
|         } | ||||
|         return json.dumps(data, indent=2) | ||||
|  | ||||
|     def dump_uncategorized_symbols(self, output_file: str | None = None) -> None: | ||||
|         """Dump uncategorized symbols for analysis.""" | ||||
|         # Sort by size descending | ||||
|         sorted_symbols = sorted( | ||||
|             self._uncategorized_symbols, key=lambda x: x[2], reverse=True | ||||
|         ) | ||||
|  | ||||
|         lines = ["Uncategorized Symbols Analysis", "=" * 80] | ||||
|         lines.append(f"Total uncategorized symbols: {len(sorted_symbols)}") | ||||
|         lines.append( | ||||
|             f"Total uncategorized size: {sum(s[2] for s in sorted_symbols):,} bytes" | ||||
|         ) | ||||
|         lines.append("") | ||||
|         lines.append(f"{'Size':>10} | {'Symbol':<60} | Demangled") | ||||
|         lines.append("-" * 10 + "-+-" + "-" * 60 + "-+-" + "-" * 40) | ||||
|  | ||||
|         for symbol, demangled, size in sorted_symbols[:100]:  # Top 100 | ||||
|             demangled_display = ( | ||||
|                 demangled[:100] if symbol != demangled else "[not demangled]" | ||||
|             ) | ||||
|             lines.append(f"{size:>10,} | {symbol[:60]:<60} | {demangled_display}") | ||||
|  | ||||
|         if len(sorted_symbols) > 100: | ||||
|             lines.append(f"\n... and {len(sorted_symbols) - 100} more symbols") | ||||
|  | ||||
|         content = "\n".join(lines) | ||||
|  | ||||
|         if output_file: | ||||
|             with open(output_file, "w", encoding="utf-8") as f: | ||||
|                 f.write(content) | ||||
|         else: | ||||
|             print(content) | ||||
|  | ||||
|  | ||||
| def analyze_elf( | ||||
|     elf_path: str, | ||||
|     objdump_path: str | None = None, | ||||
|     readelf_path: str | None = None, | ||||
|     detailed: bool = False, | ||||
|     external_components: set[str] | None = None, | ||||
| ) -> str: | ||||
|     """Analyze an ELF file and return a memory report.""" | ||||
|     analyzer = MemoryAnalyzerCLI( | ||||
|         elf_path, objdump_path, readelf_path, external_components | ||||
|     ) | ||||
|     analyzer.analyze() | ||||
|     return analyzer.generate_report(detailed) | ||||
|  | ||||
|  | ||||
| def main(): | ||||
|     """CLI entrypoint for memory analysis.""" | ||||
|     if len(sys.argv) < 2: | ||||
|         print("Usage: python -m esphome.analyze_memory <build_directory>") | ||||
|         print("\nAnalyze memory usage from an ESPHome build directory.") | ||||
|         print("The build directory should contain firmware.elf and idedata will be") | ||||
|         print("loaded from ~/.esphome/.internal/idedata/<device>.json") | ||||
|         print("\nExamples:") | ||||
|         print("  python -m esphome.analyze_memory ~/.esphome/build/my-device") | ||||
|         print("  python -m esphome.analyze_memory .esphome/build/my-device") | ||||
|         print("  python -m esphome.analyze_memory my-device  # Short form") | ||||
|         sys.exit(1) | ||||
|  | ||||
|     build_dir = sys.argv[1] | ||||
|  | ||||
|     # Load build directory | ||||
|     import json | ||||
|     from pathlib import Path | ||||
|  | ||||
|     from esphome.platformio_api import IDEData | ||||
|  | ||||
|     build_path = Path(build_dir) | ||||
|  | ||||
|     # If no path separator in name, assume it's a device name | ||||
|     if "/" not in build_dir and not build_path.is_dir(): | ||||
|         # Try current directory first | ||||
|         cwd_path = Path.cwd() / ".esphome" / "build" / build_dir | ||||
|         if cwd_path.is_dir(): | ||||
|             build_path = cwd_path | ||||
|             print(f"Using build directory: {build_path}", file=sys.stderr) | ||||
|         else: | ||||
|             # Fall back to home directory | ||||
|             build_path = Path.home() / ".esphome" / "build" / build_dir | ||||
|             print(f"Using build directory: {build_path}", file=sys.stderr) | ||||
|  | ||||
|     if not build_path.is_dir(): | ||||
|         print(f"Error: {build_path} is not a directory", file=sys.stderr) | ||||
|         sys.exit(1) | ||||
|  | ||||
|     # Find firmware.elf | ||||
|     elf_file = None | ||||
|     for elf_candidate in [ | ||||
|         build_path / "firmware.elf", | ||||
|         build_path / ".pioenvs" / build_path.name / "firmware.elf", | ||||
|     ]: | ||||
|         if elf_candidate.exists(): | ||||
|             elf_file = str(elf_candidate) | ||||
|             break | ||||
|  | ||||
|     if not elf_file: | ||||
|         print(f"Error: firmware.elf not found in {build_dir}", file=sys.stderr) | ||||
|         sys.exit(1) | ||||
|  | ||||
|     # Find idedata.json - check current directory first, then home | ||||
|     device_name = build_path.name | ||||
|     idedata_candidates = [ | ||||
|         Path.cwd() / ".esphome" / "idedata" / f"{device_name}.json", | ||||
|         Path.home() / ".esphome" / "idedata" / f"{device_name}.json", | ||||
|     ] | ||||
|  | ||||
|     idedata = None | ||||
|     for idedata_path in idedata_candidates: | ||||
|         if not idedata_path.exists(): | ||||
|             continue | ||||
|         try: | ||||
|             with open(idedata_path, encoding="utf-8") as f: | ||||
|                 raw_data = json.load(f) | ||||
|             idedata = IDEData(raw_data) | ||||
|             print(f"Loaded idedata from: {idedata_path}", file=sys.stderr) | ||||
|             break | ||||
|         except (json.JSONDecodeError, OSError) as e: | ||||
|             print(f"Warning: Failed to load idedata: {e}", file=sys.stderr) | ||||
|  | ||||
|     if not idedata: | ||||
|         print( | ||||
|             f"Warning: idedata not found (searched {idedata_candidates[0]} and {idedata_candidates[1]})", | ||||
|             file=sys.stderr, | ||||
|         ) | ||||
|  | ||||
|     analyzer = MemoryAnalyzerCLI(elf_file, idedata=idedata) | ||||
|     analyzer.analyze() | ||||
|     report = analyzer.generate_report() | ||||
|     print(report) | ||||
|  | ||||
|  | ||||
| if __name__ == "__main__": | ||||
|     main() | ||||
| @@ -1,903 +0,0 @@ | ||||
| """Constants for memory analysis symbol pattern matching.""" | ||||
|  | ||||
| import re | ||||
|  | ||||
| # Pattern to extract ESPHome component namespaces dynamically | ||||
| ESPHOME_COMPONENT_PATTERN = re.compile(r"esphome::([a-zA-Z0-9_]+)::") | ||||
|  | ||||
| # Section mapping for ELF file sections | ||||
| # Maps standard section names to their various platform-specific variants | ||||
| SECTION_MAPPING = { | ||||
|     ".text": frozenset([".text", ".iram"]), | ||||
|     ".rodata": frozenset([".rodata"]), | ||||
|     ".data": frozenset([".data", ".dram"]), | ||||
|     ".bss": frozenset([".bss"]), | ||||
| } | ||||
|  | ||||
| # Section to ComponentMemory attribute mapping | ||||
| # Maps section names to the attribute name in ComponentMemory dataclass | ||||
| SECTION_TO_ATTR = { | ||||
|     ".text": "text_size", | ||||
|     ".rodata": "rodata_size", | ||||
|     ".data": "data_size", | ||||
|     ".bss": "bss_size", | ||||
| } | ||||
|  | ||||
| # Component identification rules | ||||
| # Symbol patterns: patterns found in raw symbol names | ||||
| SYMBOL_PATTERNS = { | ||||
|     "freertos": [ | ||||
|         "vTask", | ||||
|         "xTask", | ||||
|         "xQueue", | ||||
|         "pvPort", | ||||
|         "vPort", | ||||
|         "uxTask", | ||||
|         "pcTask", | ||||
|         "prvTimerTask", | ||||
|         "prvAddNewTaskToReadyList", | ||||
|         "pxReadyTasksLists", | ||||
|         "prvAddCurrentTaskToDelayedList", | ||||
|         "xEventGroupWaitBits", | ||||
|         "xRingbufferSendFromISR", | ||||
|         "prvSendItemDoneNoSplit", | ||||
|         "prvReceiveGeneric", | ||||
|         "prvSendAcquireGeneric", | ||||
|         "prvCopyItemAllowSplit", | ||||
|         "xEventGroup", | ||||
|         "xRingbuffer", | ||||
|         "prvSend", | ||||
|         "prvReceive", | ||||
|         "prvCopy", | ||||
|         "xPort", | ||||
|         "ulTaskGenericNotifyTake", | ||||
|         "prvIdleTask", | ||||
|         "prvInitialiseNewTask", | ||||
|         "prvIsYieldRequiredSMP", | ||||
|         "prvGetItemByteBuf", | ||||
|         "prvInitializeNewRingbuffer", | ||||
|         "prvAcquireItemNoSplit", | ||||
|         "prvNotifyQueueSetContainer", | ||||
|         "ucStaticTimerQueueStorage", | ||||
|         "eTaskGetState", | ||||
|         "main_task", | ||||
|         "do_system_init_fn", | ||||
|         "xSemaphoreCreateGenericWithCaps", | ||||
|         "vListInsert", | ||||
|         "uxListRemove", | ||||
|         "vRingbufferReturnItem", | ||||
|         "vRingbufferReturnItemFromISR", | ||||
|         "prvCheckItemFitsByteBuffer", | ||||
|         "prvGetCurMaxSizeAllowSplit", | ||||
|         "tick_hook", | ||||
|         "sys_sem_new", | ||||
|         "sys_arch_mbox_fetch", | ||||
|         "sys_arch_sem_wait", | ||||
|         "prvDeleteTCB", | ||||
|         "vQueueDeleteWithCaps", | ||||
|         "vRingbufferDeleteWithCaps", | ||||
|         "vSemaphoreDeleteWithCaps", | ||||
|         "prvCheckItemAvail", | ||||
|         "prvCheckTaskCanBeScheduledSMP", | ||||
|         "prvGetCurMaxSizeNoSplit", | ||||
|         "prvResetNextTaskUnblockTime", | ||||
|         "prvReturnItemByteBuf", | ||||
|         "vApplicationStackOverflowHook", | ||||
|         "vApplicationGetIdleTaskMemory", | ||||
|         "sys_init", | ||||
|         "sys_mbox_new", | ||||
|         "sys_arch_mbox_tryfetch", | ||||
|     ], | ||||
|     "xtensa": ["xt_", "_xt_", "xPortEnterCriticalTimeout"], | ||||
|     "heap": ["heap_", "multi_heap"], | ||||
|     "spi_flash": ["spi_flash"], | ||||
|     "rtc": ["rtc_", "rtcio_ll_"], | ||||
|     "gpio_driver": ["gpio_", "pins"], | ||||
|     "uart_driver": ["uart", "_uart", "UART"], | ||||
|     "timer": ["timer_", "esp_timer"], | ||||
|     "peripherals": ["periph_", "periman"], | ||||
|     "network_stack": [ | ||||
|         "vj_compress", | ||||
|         "raw_sendto", | ||||
|         "raw_input", | ||||
|         "etharp_", | ||||
|         "icmp_input", | ||||
|         "socket_ipv6", | ||||
|         "ip_napt", | ||||
|         "socket_ipv4_multicast", | ||||
|         "socket_ipv6_multicast", | ||||
|         "netconn_", | ||||
|         "recv_raw", | ||||
|         "accept_function", | ||||
|         "netconn_recv_data", | ||||
|         "netconn_accept", | ||||
|         "netconn_write_vectors_partly", | ||||
|         "netconn_drain", | ||||
|         "raw_connect", | ||||
|         "raw_bind", | ||||
|         "icmp_send_response", | ||||
|         "sockets", | ||||
|         "icmp_dest_unreach", | ||||
|         "inet_chksum_pseudo", | ||||
|         "alloc_socket", | ||||
|         "done_socket", | ||||
|         "set_global_fd_sets", | ||||
|         "inet_chksum_pbuf", | ||||
|         "tryget_socket_unconn_locked", | ||||
|         "tryget_socket_unconn", | ||||
|         "cs_create_ctrl_sock", | ||||
|         "netbuf_alloc", | ||||
|     ], | ||||
|     "ipv6_stack": ["nd6_", "ip6_", "mld6_", "icmp6_", "icmp6_input"], | ||||
|     "wifi_stack": [ | ||||
|         "ieee80211", | ||||
|         "hostap", | ||||
|         "sta_", | ||||
|         "ap_", | ||||
|         "scan_", | ||||
|         "wifi_", | ||||
|         "wpa_", | ||||
|         "wps_", | ||||
|         "esp_wifi", | ||||
|         "cnx_", | ||||
|         "wpa3_", | ||||
|         "sae_", | ||||
|         "wDev_", | ||||
|         "ic_", | ||||
|         "mac_", | ||||
|         "esf_buf", | ||||
|         "gWpaSm", | ||||
|         "sm_WPA", | ||||
|         "eapol_", | ||||
|         "owe_", | ||||
|         "wifiLowLevelInit", | ||||
|         "s_do_mapping", | ||||
|         "gScanStruct", | ||||
|         "ppSearchTxframe", | ||||
|         "ppMapWaitTxq", | ||||
|         "ppFillAMPDUBar", | ||||
|         "ppCheckTxConnTrafficIdle", | ||||
|         "ppCalTkipMic", | ||||
|     ], | ||||
|     "bluetooth": ["bt_", "ble_", "l2c_", "gatt_", "gap_", "hci_", "BT_init"], | ||||
|     "wifi_bt_coex": ["coex"], | ||||
|     "bluetooth_rom": ["r_ble", "r_lld", "r_llc", "r_llm"], | ||||
|     "bluedroid_bt": [ | ||||
|         "bluedroid", | ||||
|         "btc_", | ||||
|         "bta_", | ||||
|         "btm_", | ||||
|         "btu_", | ||||
|         "BTM_", | ||||
|         "GATT", | ||||
|         "L2CA_", | ||||
|         "smp_", | ||||
|         "gatts_", | ||||
|         "attp_", | ||||
|         "l2cu_", | ||||
|         "l2cb", | ||||
|         "smp_cb", | ||||
|         "BTA_GATTC_", | ||||
|         "SMP_", | ||||
|         "BTU_", | ||||
|         "BTA_Dm", | ||||
|         "GAP_Ble", | ||||
|         "BT_tx_if", | ||||
|         "host_recv_pkt_cb", | ||||
|         "saved_local_oob_data", | ||||
|         "string_to_bdaddr", | ||||
|         "string_is_bdaddr", | ||||
|         "CalConnectParamTimeout", | ||||
|         "transmit_fragment", | ||||
|         "transmit_data", | ||||
|         "event_command_ready", | ||||
|         "read_command_complete_header", | ||||
|         "parse_read_local_extended_features_response", | ||||
|         "parse_read_local_version_info_response", | ||||
|         "should_request_high", | ||||
|         "btdm_wakeup_request", | ||||
|         "BTA_SetAttributeValue", | ||||
|         "BTA_EnableBluetooth", | ||||
|         "transmit_command_futured", | ||||
|         "transmit_command", | ||||
|         "get_waiting_command", | ||||
|         "make_command", | ||||
|         "transmit_downward", | ||||
|         "host_recv_adv_packet", | ||||
|         "copy_extra_byte_in_db", | ||||
|         "parse_read_local_supported_commands_response", | ||||
|     ], | ||||
|     "crypto_math": [ | ||||
|         "ecp_", | ||||
|         "bignum_", | ||||
|         "mpi_", | ||||
|         "sswu", | ||||
|         "modp", | ||||
|         "dragonfly_", | ||||
|         "gcm_mult", | ||||
|         "__multiply", | ||||
|         "quorem", | ||||
|         "__mdiff", | ||||
|         "__lshift", | ||||
|         "__mprec_tens", | ||||
|         "ECC_", | ||||
|         "multiprecision_", | ||||
|         "mix_sub_columns", | ||||
|         "sbox", | ||||
|         "gfm2_sbox", | ||||
|         "gfm3_sbox", | ||||
|         "curve_p256", | ||||
|         "curve", | ||||
|         "p_256_init_curve", | ||||
|         "shift_sub_rows", | ||||
|         "rshift", | ||||
|     ], | ||||
|     "hw_crypto": ["esp_aes", "esp_sha", "esp_rsa", "esp_bignum", "esp_mpi"], | ||||
|     "libc": [ | ||||
|         "printf", | ||||
|         "scanf", | ||||
|         "malloc", | ||||
|         "free", | ||||
|         "memcpy", | ||||
|         "memset", | ||||
|         "strcpy", | ||||
|         "strlen", | ||||
|         "_dtoa", | ||||
|         "_fopen", | ||||
|         "__sfvwrite_r", | ||||
|         "qsort", | ||||
|         "__sf", | ||||
|         "__sflush_r", | ||||
|         "__srefill_r", | ||||
|         "_impure_data", | ||||
|         "_reclaim_reent", | ||||
|         "_open_r", | ||||
|         "strncpy", | ||||
|         "_strtod_l", | ||||
|         "__gethex", | ||||
|         "__hexnan", | ||||
|         "_setenv_r", | ||||
|         "_tzset_unlocked_r", | ||||
|         "__tzcalc_limits", | ||||
|         "select", | ||||
|         "scalbnf", | ||||
|         "strtof", | ||||
|         "strtof_l", | ||||
|         "__d2b", | ||||
|         "__b2d", | ||||
|         "__s2b", | ||||
|         "_Balloc", | ||||
|         "__multadd", | ||||
|         "__lo0bits", | ||||
|         "__atexit0", | ||||
|         "__smakebuf_r", | ||||
|         "__swhatbuf_r", | ||||
|         "_sungetc_r", | ||||
|         "_close_r", | ||||
|         "_link_r", | ||||
|         "_unsetenv_r", | ||||
|         "_rename_r", | ||||
|         "__month_lengths", | ||||
|         "tzinfo", | ||||
|         "__ratio", | ||||
|         "__hi0bits", | ||||
|         "__ulp", | ||||
|         "__any_on", | ||||
|         "__copybits", | ||||
|         "L_shift", | ||||
|         "_fcntl_r", | ||||
|         "_lseek_r", | ||||
|         "_read_r", | ||||
|         "_write_r", | ||||
|         "_unlink_r", | ||||
|         "_fstat_r", | ||||
|         "access", | ||||
|         "fsync", | ||||
|         "tcsetattr", | ||||
|         "tcgetattr", | ||||
|         "tcflush", | ||||
|         "tcdrain", | ||||
|         "__ssrefill_r", | ||||
|         "_stat_r", | ||||
|         "__hexdig_fun", | ||||
|         "__mcmp", | ||||
|         "_fwalk_sglue", | ||||
|         "__fpclassifyf", | ||||
|         "_setlocale_r", | ||||
|         "_mbrtowc_r", | ||||
|         "fcntl", | ||||
|         "__match", | ||||
|         "_lock_close", | ||||
|         "__c$", | ||||
|         "__func__$", | ||||
|         "__FUNCTION__$", | ||||
|         "DAYS_IN_MONTH", | ||||
|         "_DAYS_BEFORE_MONTH", | ||||
|         "CSWTCH$", | ||||
|         "dst$", | ||||
|         "sulp", | ||||
|     ], | ||||
|     "string_ops": ["strcmp", "strncmp", "strchr", "strstr", "strtok", "strdup"], | ||||
|     "memory_alloc": ["malloc", "calloc", "realloc", "free", "_sbrk"], | ||||
|     "file_io": [ | ||||
|         "fread", | ||||
|         "fwrite", | ||||
|         "fopen", | ||||
|         "fclose", | ||||
|         "fseek", | ||||
|         "ftell", | ||||
|         "fflush", | ||||
|         "s_fd_table", | ||||
|     ], | ||||
|     "string_formatting": [ | ||||
|         "snprintf", | ||||
|         "vsnprintf", | ||||
|         "sprintf", | ||||
|         "vsprintf", | ||||
|         "sscanf", | ||||
|         "vsscanf", | ||||
|     ], | ||||
|     "cpp_anonymous": ["_GLOBAL__N_", "n$"], | ||||
|     "cpp_runtime": ["__cxx", "_ZN", "_ZL", "_ZSt", "__gxx_personality", "_Z16"], | ||||
|     "exception_handling": ["__cxa_", "_Unwind_", "__gcc_personality", "uw_frame_state"], | ||||
|     "static_init": ["_GLOBAL__sub_I_"], | ||||
|     "mdns_lib": ["mdns"], | ||||
|     "phy_radio": [ | ||||
|         "phy_", | ||||
|         "rf_", | ||||
|         "chip_", | ||||
|         "register_chipv7", | ||||
|         "pbus_", | ||||
|         "bb_", | ||||
|         "fe_", | ||||
|         "rfcal_", | ||||
|         "ram_rfcal", | ||||
|         "tx_pwctrl", | ||||
|         "rx_chan", | ||||
|         "set_rx_gain", | ||||
|         "set_chan", | ||||
|         "agc_reg", | ||||
|         "ram_txiq", | ||||
|         "ram_txdc", | ||||
|         "ram_gen_rx_gain", | ||||
|         "rx_11b_opt", | ||||
|         "set_rx_sense", | ||||
|         "set_rx_gain_cal", | ||||
|         "set_chan_dig_gain", | ||||
|         "tx_pwctrl_init_cal", | ||||
|         "rfcal_txiq", | ||||
|         "set_tx_gain_table", | ||||
|         "correct_rfpll_offset", | ||||
|         "pll_correct_dcap", | ||||
|         "txiq_cal_init", | ||||
|         "pwdet_sar", | ||||
|         "pwdet_sar2_init", | ||||
|         "ram_iq_est_enable", | ||||
|         "ram_rfpll_set_freq", | ||||
|         "ant_wifirx_cfg", | ||||
|         "ant_btrx_cfg", | ||||
|         "force_txrxoff", | ||||
|         "force_txrx_off", | ||||
|         "tx_paon_set", | ||||
|         "opt_11b_resart", | ||||
|         "rfpll_1p2_opt", | ||||
|         "ram_dc_iq_est", | ||||
|         "ram_start_tx_tone", | ||||
|         "ram_en_pwdet", | ||||
|         "ram_cbw2040_cfg", | ||||
|         "rxdc_est_min", | ||||
|         "i2cmst_reg_init", | ||||
|         "temprature_sens_read", | ||||
|         "ram_restart_cal", | ||||
|         "ram_write_gain_mem", | ||||
|         "ram_wait_rfpll_cal_end", | ||||
|         "txcal_debuge_mode", | ||||
|         "ant_wifitx_cfg", | ||||
|         "reg_init_begin", | ||||
|     ], | ||||
|     "wifi_phy_pp": ["pp_", "ppT", "ppR", "ppP", "ppInstall", "ppCalTxAMPDULength"], | ||||
|     "wifi_lmac": ["lmac"], | ||||
|     "wifi_device": ["wdev", "wDev_"], | ||||
|     "power_mgmt": [ | ||||
|         "pm_", | ||||
|         "sleep", | ||||
|         "rtc_sleep", | ||||
|         "light_sleep", | ||||
|         "deep_sleep", | ||||
|         "power_down", | ||||
|         "g_pm", | ||||
|     ], | ||||
|     "memory_mgmt": [ | ||||
|         "mem_", | ||||
|         "memory_", | ||||
|         "tlsf_", | ||||
|         "memp_", | ||||
|         "pbuf_", | ||||
|         "pbuf_alloc", | ||||
|         "pbuf_copy_partial_pbuf", | ||||
|     ], | ||||
|     "hal_layer": ["hal_"], | ||||
|     "clock_mgmt": [ | ||||
|         "clk_", | ||||
|         "clock_", | ||||
|         "rtc_clk", | ||||
|         "apb_", | ||||
|         "cpu_freq", | ||||
|         "setCpuFrequencyMhz", | ||||
|     ], | ||||
|     "cache_mgmt": ["cache"], | ||||
|     "flash_ops": ["flash", "image_load"], | ||||
|     "interrupt_handlers": [ | ||||
|         "isr", | ||||
|         "interrupt", | ||||
|         "intr_", | ||||
|         "exc_", | ||||
|         "exception", | ||||
|         "port_IntStack", | ||||
|     ], | ||||
|     "wrapper_functions": ["_wrapper"], | ||||
|     "error_handling": ["panic", "abort", "assert", "error_", "fault"], | ||||
|     "authentication": ["auth"], | ||||
|     "ppp_protocol": ["ppp", "ipcp_", "lcp_", "chap_", "LcpEchoCheck"], | ||||
|     "dhcp": ["dhcp", "handle_dhcp"], | ||||
|     "ethernet_phy": [ | ||||
|         "emac_", | ||||
|         "eth_phy_", | ||||
|         "phy_tlk110", | ||||
|         "phy_lan87", | ||||
|         "phy_ip101", | ||||
|         "phy_rtl", | ||||
|         "phy_dp83", | ||||
|         "phy_ksz", | ||||
|         "lan87xx_", | ||||
|         "rtl8201_", | ||||
|         "ip101_", | ||||
|         "ksz80xx_", | ||||
|         "jl1101_", | ||||
|         "dp83848_", | ||||
|         "eth_on_state_changed", | ||||
|     ], | ||||
|     "threading": ["pthread_", "thread_", "_task_"], | ||||
|     "pthread": ["pthread"], | ||||
|     "synchronization": ["mutex", "semaphore", "spinlock", "portMUX"], | ||||
|     "math_lib": [ | ||||
|         "sin", | ||||
|         "cos", | ||||
|         "tan", | ||||
|         "sqrt", | ||||
|         "pow", | ||||
|         "exp", | ||||
|         "log", | ||||
|         "atan", | ||||
|         "asin", | ||||
|         "acos", | ||||
|         "floor", | ||||
|         "ceil", | ||||
|         "fabs", | ||||
|         "round", | ||||
|     ], | ||||
|     "random": ["rand", "random", "rng_", "prng"], | ||||
|     "time_lib": [ | ||||
|         "time", | ||||
|         "clock", | ||||
|         "gettimeofday", | ||||
|         "settimeofday", | ||||
|         "localtime", | ||||
|         "gmtime", | ||||
|         "mktime", | ||||
|         "strftime", | ||||
|     ], | ||||
|     "console_io": ["console_", "uart_tx", "uart_rx", "puts", "putchar", "getchar"], | ||||
|     "rom_functions": ["r_", "rom_"], | ||||
|     "compiler_runtime": [ | ||||
|         "__divdi3", | ||||
|         "__udivdi3", | ||||
|         "__moddi3", | ||||
|         "__muldi3", | ||||
|         "__ashldi3", | ||||
|         "__ashrdi3", | ||||
|         "__lshrdi3", | ||||
|         "__cmpdi2", | ||||
|         "__fixdfdi", | ||||
|         "__floatdidf", | ||||
|     ], | ||||
|     "libgcc": ["libgcc", "_divdi3", "_udivdi3"], | ||||
|     "boot_startup": ["boot", "start_cpu", "call_start", "startup", "bootloader"], | ||||
|     "bootloader": ["bootloader_", "esp_bootloader"], | ||||
|     "app_framework": ["app_", "initArduino", "setup", "loop", "Update"], | ||||
|     "weak_symbols": ["__weak_"], | ||||
|     "compiler_builtins": ["__builtin_"], | ||||
|     "vfs": ["vfs_", "VFS"], | ||||
|     "esp32_sdk": ["esp32_", "esp32c", "esp32s"], | ||||
|     "usb": ["usb_", "USB", "cdc_", "CDC"], | ||||
|     "i2c_driver": ["i2c_", "I2C"], | ||||
|     "i2s_driver": ["i2s_", "I2S"], | ||||
|     "spi_driver": ["spi_", "SPI"], | ||||
|     "adc_driver": ["adc_", "ADC"], | ||||
|     "dac_driver": ["dac_", "DAC"], | ||||
|     "touch_driver": ["touch_", "TOUCH"], | ||||
|     "pwm_driver": ["pwm_", "PWM", "ledc_", "LEDC"], | ||||
|     "rmt_driver": ["rmt_", "RMT"], | ||||
|     "pcnt_driver": ["pcnt_", "PCNT"], | ||||
|     "can_driver": ["can_", "CAN", "twai_", "TWAI"], | ||||
|     "sdmmc_driver": ["sdmmc_", "SDMMC", "sdcard", "sd_card"], | ||||
|     "temp_sensor": ["temp_sensor", "tsens_"], | ||||
|     "watchdog": ["wdt_", "WDT", "watchdog"], | ||||
|     "brownout": ["brownout", "bod_"], | ||||
|     "ulp": ["ulp_", "ULP"], | ||||
|     "psram": ["psram", "PSRAM", "spiram", "SPIRAM"], | ||||
|     "efuse": ["efuse", "EFUSE"], | ||||
|     "partition": ["partition", "esp_partition"], | ||||
|     "esp_event": ["esp_event", "event_loop", "event_callback"], | ||||
|     "esp_console": ["esp_console", "console_"], | ||||
|     "chip_specific": ["chip_", "esp_chip"], | ||||
|     "esp_system_utils": ["esp_system", "esp_hw", "esp_clk", "esp_sleep"], | ||||
|     "ipc": ["esp_ipc", "ipc_"], | ||||
|     "wifi_config": [ | ||||
|         "g_cnxMgr", | ||||
|         "gChmCxt", | ||||
|         "g_ic", | ||||
|         "TxRxCxt", | ||||
|         "s_dp", | ||||
|         "s_ni", | ||||
|         "s_reg_dump", | ||||
|         "packet$", | ||||
|         "d_mult_table", | ||||
|         "K", | ||||
|         "fcstab", | ||||
|     ], | ||||
|     "smartconfig": ["sc_ack_send"], | ||||
|     "rc_calibration": ["rc_cal", "rcUpdate"], | ||||
|     "noise_floor": ["noise_check"], | ||||
|     "rf_calibration": [ | ||||
|         "set_rx_sense", | ||||
|         "set_rx_gain_cal", | ||||
|         "set_chan_dig_gain", | ||||
|         "tx_pwctrl_init_cal", | ||||
|         "rfcal_txiq", | ||||
|         "set_tx_gain_table", | ||||
|         "correct_rfpll_offset", | ||||
|         "pll_correct_dcap", | ||||
|         "txiq_cal_init", | ||||
|         "pwdet_sar", | ||||
|         "rx_11b_opt", | ||||
|     ], | ||||
|     "wifi_crypto": [ | ||||
|         "pk_use_ecparams", | ||||
|         "process_segments", | ||||
|         "ccmp_", | ||||
|         "rc4_", | ||||
|         "aria_", | ||||
|         "mgf_mask", | ||||
|         "dh_group", | ||||
|         "ccmp_aad_nonce", | ||||
|         "ccmp_encrypt", | ||||
|         "rc4_skip", | ||||
|         "aria_sb1", | ||||
|         "aria_sb2", | ||||
|         "aria_is1", | ||||
|         "aria_is2", | ||||
|         "aria_sl", | ||||
|         "aria_a", | ||||
|     ], | ||||
|     "radio_control": ["fsm_input", "fsm_sconfreq"], | ||||
|     "pbuf": [ | ||||
|         "pbuf_", | ||||
|     ], | ||||
|     "event_group": ["xEventGroup"], | ||||
|     "ringbuffer": ["xRingbuffer", "prvSend", "prvReceive", "prvCopy"], | ||||
|     "provisioning": ["prov_", "prov_stop_and_notify"], | ||||
|     "scan": ["gScanStruct"], | ||||
|     "port": ["xPort"], | ||||
|     "elf_loader": [ | ||||
|         "elf_add", | ||||
|         "elf_add_note", | ||||
|         "elf_add_segment", | ||||
|         "process_image", | ||||
|         "read_encoded", | ||||
|         "read_encoded_value", | ||||
|         "read_encoded_value_with_base", | ||||
|         "process_image_header", | ||||
|     ], | ||||
|     "socket_api": [ | ||||
|         "sockets", | ||||
|         "netconn_", | ||||
|         "accept_function", | ||||
|         "recv_raw", | ||||
|         "socket_ipv4_multicast", | ||||
|         "socket_ipv6_multicast", | ||||
|     ], | ||||
|     "igmp": ["igmp_", "igmp_send", "igmp_input"], | ||||
|     "icmp6": ["icmp6_"], | ||||
|     "arp": ["arp_table"], | ||||
|     "ampdu": [ | ||||
|         "ampdu_", | ||||
|         "rcAmpdu", | ||||
|         "trc_onAmpduOp", | ||||
|         "rcAmpduLowerRate", | ||||
|         "ampdu_dispatch_upto", | ||||
|     ], | ||||
|     "ieee802_11": ["ieee802_11_", "ieee802_11_parse_elems"], | ||||
|     "rate_control": ["rssi_margin", "rcGetSched", "get_rate_fcc_index"], | ||||
|     "nan": ["nan_dp_", "nan_dp_post_tx", "nan_dp_delete_peer"], | ||||
|     "channel_mgmt": ["chm_init", "chm_set_current_channel"], | ||||
|     "trace": ["trc_init", "trc_onAmpduOp"], | ||||
|     "country_code": ["country_info", "country_info_24ghz"], | ||||
|     "multicore": ["do_multicore_settings"], | ||||
|     "Update_lib": ["Update"], | ||||
|     "stdio": [ | ||||
|         "__sf", | ||||
|         "__sflush_r", | ||||
|         "__srefill_r", | ||||
|         "_impure_data", | ||||
|         "_reclaim_reent", | ||||
|         "_open_r", | ||||
|     ], | ||||
|     "strncpy_ops": ["strncpy"], | ||||
|     "math_internal": ["__mdiff", "__lshift", "__mprec_tens", "quorem"], | ||||
|     "character_class": ["__chclass"], | ||||
|     "camellia": ["camellia_", "camellia_feistel"], | ||||
|     "crypto_tables": ["FSb", "FSb2", "FSb3", "FSb4"], | ||||
|     "event_buffer": ["g_eb_list_desc", "eb_space"], | ||||
|     "base_node": ["base_node_", "base_node_add_handler"], | ||||
|     "file_descriptor": ["s_fd_table"], | ||||
|     "tx_delay": ["tx_delay_cfg"], | ||||
|     "deinit": ["deinit_functions"], | ||||
|     "lcp_echo": ["LcpEchoCheck"], | ||||
|     "raw_api": ["raw_bind", "raw_connect"], | ||||
|     "checksum": ["process_checksum"], | ||||
|     "entry_management": ["add_entry"], | ||||
|     "esp_ota": ["esp_ota", "ota_", "read_otadata"], | ||||
|     "http_server": [ | ||||
|         "httpd_", | ||||
|         "parse_url_char", | ||||
|         "cb_headers_complete", | ||||
|         "delete_entry", | ||||
|         "validate_structure", | ||||
|         "config_save", | ||||
|         "config_new", | ||||
|         "verify_url", | ||||
|         "cb_url", | ||||
|     ], | ||||
|     "misc_system": [ | ||||
|         "alarm_cbs", | ||||
|         "start_up", | ||||
|         "tokens", | ||||
|         "unhex", | ||||
|         "osi_funcs_ro", | ||||
|         "enum_function", | ||||
|         "fragment_and_dispatch", | ||||
|         "alarm_set", | ||||
|         "osi_alarm_new", | ||||
|         "config_set_string", | ||||
|         "config_update_newest_section", | ||||
|         "config_remove_key", | ||||
|         "method_strings", | ||||
|         "interop_match", | ||||
|         "interop_database", | ||||
|         "__state_table", | ||||
|         "__action_table", | ||||
|         "s_stub_table", | ||||
|         "s_context", | ||||
|         "s_mmu_ctx", | ||||
|         "s_get_bus_mask", | ||||
|         "hli_queue_put", | ||||
|         "list_remove", | ||||
|         "list_delete", | ||||
|         "lock_acquire_generic", | ||||
|         "is_vect_desc_usable", | ||||
|         "io_mode_str", | ||||
|         "__c$20233", | ||||
|         "interface", | ||||
|         "read_id_core", | ||||
|         "subscribe_idle", | ||||
|         "unsubscribe_idle", | ||||
|         "s_clkout_handle", | ||||
|         "lock_release_generic", | ||||
|         "config_set_int", | ||||
|         "config_get_int", | ||||
|         "config_get_string", | ||||
|         "config_has_key", | ||||
|         "config_remove_section", | ||||
|         "osi_alarm_init", | ||||
|         "osi_alarm_deinit", | ||||
|         "fixed_queue_enqueue", | ||||
|         "fixed_queue_dequeue", | ||||
|         "fixed_queue_new", | ||||
|         "fixed_pkt_queue_enqueue", | ||||
|         "fixed_pkt_queue_new", | ||||
|         "list_append", | ||||
|         "list_prepend", | ||||
|         "list_insert_after", | ||||
|         "list_contains", | ||||
|         "list_get_node", | ||||
|         "hash_function_blob", | ||||
|         "cb_no_body", | ||||
|         "cb_on_body", | ||||
|         "profile_tab", | ||||
|         "get_arg", | ||||
|         "trim", | ||||
|         "buf$", | ||||
|         "process_appended_hash_and_sig$constprop$0", | ||||
|         "uuidType", | ||||
|         "allocate_svc_db_buf", | ||||
|         "_hostname_is_ours", | ||||
|         "s_hli_handlers", | ||||
|         "tick_cb", | ||||
|         "idle_cb", | ||||
|         "input", | ||||
|         "entry_find", | ||||
|         "section_find", | ||||
|         "find_bucket_entry_", | ||||
|         "config_has_section", | ||||
|         "hli_queue_create", | ||||
|         "hli_queue_get", | ||||
|         "hli_c_handler", | ||||
|         "future_ready", | ||||
|         "future_await", | ||||
|         "future_new", | ||||
|         "pkt_queue_enqueue", | ||||
|         "pkt_queue_dequeue", | ||||
|         "pkt_queue_cleanup", | ||||
|         "pkt_queue_create", | ||||
|         "pkt_queue_destroy", | ||||
|         "fixed_pkt_queue_dequeue", | ||||
|         "osi_alarm_cancel", | ||||
|         "osi_alarm_is_active", | ||||
|         "osi_sem_take", | ||||
|         "osi_event_create", | ||||
|         "osi_event_bind", | ||||
|         "alarm_cb_handler", | ||||
|         "list_foreach", | ||||
|         "list_back", | ||||
|         "list_front", | ||||
|         "list_clear", | ||||
|         "fixed_queue_try_peek_first", | ||||
|         "translate_path", | ||||
|         "get_idx", | ||||
|         "find_key", | ||||
|         "init", | ||||
|         "end", | ||||
|         "start", | ||||
|         "set_read_value", | ||||
|         "copy_address_list", | ||||
|         "copy_and_key", | ||||
|         "sdk_cfg_opts", | ||||
|         "leftshift_onebit", | ||||
|         "config_section_end", | ||||
|         "config_section_begin", | ||||
|         "find_entry_and_check_all_reset", | ||||
|         "image_validate", | ||||
|         "xPendingReadyList", | ||||
|         "vListInitialise", | ||||
|         "lock_init_generic", | ||||
|         "ant_bttx_cfg", | ||||
|         "ant_dft_cfg", | ||||
|         "cs_send_to_ctrl_sock", | ||||
|         "config_llc_util_funcs_reset", | ||||
|         "make_set_adv_report_flow_control", | ||||
|         "make_set_event_mask", | ||||
|         "raw_new", | ||||
|         "raw_remove", | ||||
|         "BTE_InitStack", | ||||
|         "parse_read_local_supported_features_response", | ||||
|         "__math_invalidf", | ||||
|         "tinytens", | ||||
|         "__mprec_tinytens", | ||||
|         "__mprec_bigtens", | ||||
|         "vRingbufferDelete", | ||||
|         "vRingbufferDeleteWithCaps", | ||||
|         "vRingbufferReturnItem", | ||||
|         "vRingbufferReturnItemFromISR", | ||||
|         "get_acl_data_size_ble", | ||||
|         "get_features_ble", | ||||
|         "get_features_classic", | ||||
|         "get_acl_packet_size_ble", | ||||
|         "get_acl_packet_size_classic", | ||||
|         "supports_extended_inquiry_response", | ||||
|         "supports_rssi_with_inquiry_results", | ||||
|         "supports_interlaced_inquiry_scan", | ||||
|         "supports_reading_remote_extended_features", | ||||
|     ], | ||||
|     "bluetooth_ll": [ | ||||
|         "lld_pdu_", | ||||
|         "ld_acl_", | ||||
|         "lld_stop_ind_handler", | ||||
|         "lld_evt_winsize_change", | ||||
|         "config_lld_evt_funcs_reset", | ||||
|         "config_lld_funcs_reset", | ||||
|         "config_llm_funcs_reset", | ||||
|         "llm_set_long_adv_data", | ||||
|         "lld_retry_tx_prog", | ||||
|         "llc_link_sup_to_ind_handler", | ||||
|         "config_llc_funcs_reset", | ||||
|         "lld_evt_rxwin_compute", | ||||
|         "config_btdm_funcs_reset", | ||||
|         "config_ea_funcs_reset", | ||||
|         "llc_defalut_state_tab_reset", | ||||
|         "config_rwip_funcs_reset", | ||||
|         "ke_lmp_rx_flooding_detect", | ||||
|     ], | ||||
| } | ||||
|  | ||||
| # Demangled patterns: patterns found in demangled C++ names | ||||
| DEMANGLED_PATTERNS = { | ||||
|     "gpio_driver": ["GPIO"], | ||||
|     "uart_driver": ["UART"], | ||||
|     "network_stack": [ | ||||
|         "lwip", | ||||
|         "tcp", | ||||
|         "udp", | ||||
|         "ip4", | ||||
|         "ip6", | ||||
|         "dhcp", | ||||
|         "dns", | ||||
|         "netif", | ||||
|         "ethernet", | ||||
|         "ppp", | ||||
|         "slip", | ||||
|     ], | ||||
|     "wifi_stack": ["NetworkInterface"], | ||||
|     "nimble_bt": [ | ||||
|         "nimble", | ||||
|         "NimBLE", | ||||
|         "ble_hs", | ||||
|         "ble_gap", | ||||
|         "ble_gatt", | ||||
|         "ble_att", | ||||
|         "ble_l2cap", | ||||
|         "ble_sm", | ||||
|     ], | ||||
|     "crypto": ["mbedtls", "crypto", "sha", "aes", "rsa", "ecc", "tls", "ssl"], | ||||
|     "cpp_stdlib": ["std::", "__gnu_cxx::", "__cxxabiv"], | ||||
|     "static_init": ["__static_initialization"], | ||||
|     "rtti": ["__type_info", "__class_type_info"], | ||||
|     "web_server_lib": ["AsyncWebServer", "AsyncWebHandler", "WebServer"], | ||||
|     "async_tcp": ["AsyncClient", "AsyncServer"], | ||||
|     "mdns_lib": ["mdns"], | ||||
|     "json_lib": [ | ||||
|         "ArduinoJson", | ||||
|         "JsonDocument", | ||||
|         "JsonArray", | ||||
|         "JsonObject", | ||||
|         "deserialize", | ||||
|         "serialize", | ||||
|     ], | ||||
|     "http_lib": ["HTTP", "http_", "Request", "Response", "Uri", "WebSocket"], | ||||
|     "logging": ["log", "Log", "print", "Print", "diag_"], | ||||
|     "authentication": ["checkDigestAuthentication"], | ||||
|     "libgcc": ["libgcc"], | ||||
|     "esp_system": ["esp_", "ESP"], | ||||
|     "arduino": ["arduino"], | ||||
|     "nvs": ["nvs_", "_ZTVN3nvs", "nvs::"], | ||||
|     "filesystem": ["spiffs", "vfs"], | ||||
|     "libc": ["newlib"], | ||||
| } | ||||
|  | ||||
| # Patterns for categorizing ESPHome core symbols into subcategories | ||||
| CORE_SUBCATEGORY_PATTERNS = { | ||||
|     "Component Framework": ["Component"], | ||||
|     "Application Core": ["Application"], | ||||
|     "Scheduler": ["Scheduler"], | ||||
|     "Component Iterator": ["ComponentIterator"], | ||||
|     "Helper Functions": ["Helpers", "helpers"], | ||||
|     "Preferences/Storage": ["Preferences", "ESPPreferences"], | ||||
|     "I/O Utilities": ["HighFrequencyLoopRequester"], | ||||
|     "String Utilities": ["str_"], | ||||
|     "Bit Utilities": ["reverse_bits"], | ||||
|     "Data Conversion": ["convert_"], | ||||
|     "Network Utilities": ["network", "IPAddress"], | ||||
|     "API Protocol": ["api::"], | ||||
|     "WiFi Manager": ["wifi::"], | ||||
|     "MQTT Client": ["mqtt::"], | ||||
|     "Logger": ["logger::"], | ||||
|     "OTA Updates": ["ota::"], | ||||
|     "Web Server": ["web_server::"], | ||||
|     "Time Management": ["time::"], | ||||
|     "Sensor Framework": ["sensor::"], | ||||
|     "Binary Sensor": ["binary_sensor::"], | ||||
|     "Switch Framework": ["switch_::"], | ||||
|     "Light Framework": ["light::"], | ||||
|     "Climate Framework": ["climate::"], | ||||
|     "Cover Framework": ["cover::"], | ||||
| } | ||||
| @@ -1,121 +0,0 @@ | ||||
| """Helper functions for memory analysis.""" | ||||
|  | ||||
| from functools import cache | ||||
| from pathlib import Path | ||||
|  | ||||
| from .const import SECTION_MAPPING | ||||
|  | ||||
| # Import namespace constant from parent module | ||||
| # Note: This would create a circular import if done at module level, | ||||
| # so we'll define it locally here as well | ||||
| _NAMESPACE_ESPHOME = "esphome::" | ||||
|  | ||||
|  | ||||
| # Get the list of actual ESPHome components by scanning the components directory | ||||
| @cache | ||||
| def get_esphome_components(): | ||||
|     """Get set of actual ESPHome components from the components directory.""" | ||||
|     # Find the components directory relative to this file | ||||
|     # Go up two levels from analyze_memory/helpers.py to esphome/ | ||||
|     current_dir = Path(__file__).parent.parent | ||||
|     components_dir = current_dir / "components" | ||||
|  | ||||
|     if not components_dir.exists() or not components_dir.is_dir(): | ||||
|         return frozenset() | ||||
|  | ||||
|     return frozenset( | ||||
|         item.name | ||||
|         for item in components_dir.iterdir() | ||||
|         if item.is_dir() | ||||
|         and not item.name.startswith(".") | ||||
|         and not item.name.startswith("__") | ||||
|     ) | ||||
|  | ||||
|  | ||||
| @cache | ||||
| def get_component_class_patterns(component_name: str) -> list[str]: | ||||
|     """Generate component class name patterns for symbol matching. | ||||
|  | ||||
|     Args: | ||||
|         component_name: The component name (e.g., "ota", "wifi", "api") | ||||
|  | ||||
|     Returns: | ||||
|         List of pattern strings to match against demangled symbols | ||||
|     """ | ||||
|     component_upper = component_name.upper() | ||||
|     component_camel = component_name.replace("_", "").title() | ||||
|     return [ | ||||
|         f"{_NAMESPACE_ESPHOME}{component_upper}Component",  # e.g., esphome::OTAComponent | ||||
|         f"{_NAMESPACE_ESPHOME}ESPHome{component_upper}Component",  # e.g., esphome::ESPHomeOTAComponent | ||||
|         f"{_NAMESPACE_ESPHOME}{component_camel}Component",  # e.g., esphome::OtaComponent | ||||
|         f"{_NAMESPACE_ESPHOME}ESPHome{component_camel}Component",  # e.g., esphome::ESPHomeOtaComponent | ||||
|     ] | ||||
|  | ||||
|  | ||||
| def map_section_name(raw_section: str) -> str | None: | ||||
|     """Map raw section name to standard section. | ||||
|  | ||||
|     Args: | ||||
|         raw_section: Raw section name from ELF file (e.g., ".iram0.text", ".rodata.str1.1") | ||||
|  | ||||
|     Returns: | ||||
|         Standard section name (".text", ".rodata", ".data", ".bss") or None | ||||
|     """ | ||||
|     for standard_section, patterns in SECTION_MAPPING.items(): | ||||
|         if any(pattern in raw_section for pattern in patterns): | ||||
|             return standard_section | ||||
|     return None | ||||
|  | ||||
|  | ||||
| def parse_symbol_line(line: str) -> tuple[str, str, int, str] | None: | ||||
|     """Parse a single symbol line from objdump output. | ||||
|  | ||||
|     Args: | ||||
|         line: Line from objdump -t output | ||||
|  | ||||
|     Returns: | ||||
|         Tuple of (section, name, size, address) or None if not a valid symbol. | ||||
|         Format: address l/g w/d F/O section size name | ||||
|         Example: 40084870 l     F .iram0.text    00000000 _xt_user_exc | ||||
|     """ | ||||
|     parts = line.split() | ||||
|     if len(parts) < 5: | ||||
|         return None | ||||
|  | ||||
|     try: | ||||
|         # Validate and extract address | ||||
|         address = parts[0] | ||||
|         int(address, 16) | ||||
|     except ValueError: | ||||
|         return None | ||||
|  | ||||
|     # Look for F (function) or O (object) flag | ||||
|     if "F" not in parts and "O" not in parts: | ||||
|         return None | ||||
|  | ||||
|     # Find section, size, and name | ||||
|     for i, part in enumerate(parts): | ||||
|         if not part.startswith("."): | ||||
|             continue | ||||
|  | ||||
|         section = map_section_name(part) | ||||
|         if not section: | ||||
|             break | ||||
|  | ||||
|         # Need at least size field after section | ||||
|         if i + 1 >= len(parts): | ||||
|             break | ||||
|  | ||||
|         try: | ||||
|             size = int(parts[i + 1], 16) | ||||
|         except ValueError: | ||||
|             break | ||||
|  | ||||
|         # Need symbol name and non-zero size | ||||
|         if i + 2 >= len(parts) or size == 0: | ||||
|             break | ||||
|  | ||||
|         name = " ".join(parts[i + 2 :]) | ||||
|         return (section, name, size, address) | ||||
|  | ||||
|     return None | ||||
| @@ -26,12 +26,12 @@ uint32_t Animation::get_animation_frame_count() const { return this->animation_f | ||||
| int Animation::get_current_frame() const { return this->current_frame_; } | ||||
| void Animation::next_frame() { | ||||
|   this->current_frame_++; | ||||
|   if (loop_count_ && static_cast<uint32_t>(this->current_frame_) == loop_end_frame_ && | ||||
|   if (loop_count_ && this->current_frame_ == loop_end_frame_ && | ||||
|       (this->loop_current_iteration_ < loop_count_ || loop_count_ < 0)) { | ||||
|     this->current_frame_ = loop_start_frame_; | ||||
|     this->loop_current_iteration_++; | ||||
|   } | ||||
|   if (static_cast<uint32_t>(this->current_frame_) >= animation_frame_count_) { | ||||
|   if (this->current_frame_ >= animation_frame_count_) { | ||||
|     this->loop_current_iteration_ = 1; | ||||
|     this->current_frame_ = 0; | ||||
|   } | ||||
|   | ||||
| @@ -28,7 +28,7 @@ class Anova : public climate::Climate, public esphome::ble_client::BLEClientNode | ||||
|   void dump_config() override; | ||||
|   climate::ClimateTraits traits() override { | ||||
|     auto traits = climate::ClimateTraits(); | ||||
|     traits.add_feature_flags(climate::CLIMATE_SUPPORTS_CURRENT_TEMPERATURE); | ||||
|     traits.set_supports_current_temperature(true); | ||||
|     traits.set_supported_modes({climate::CLIMATE_MODE_OFF, climate::ClimateMode::CLIMATE_MODE_HEAT}); | ||||
|     traits.set_visual_min_temperature(25.0); | ||||
|     traits.set_visual_max_temperature(100.0); | ||||
|   | ||||
| @@ -9,59 +9,37 @@ import esphome.config_validation as cv | ||||
| from esphome.const import ( | ||||
|     CONF_ACTION, | ||||
|     CONF_ACTIONS, | ||||
|     CONF_CAPTURE_RESPONSE, | ||||
|     CONF_DATA, | ||||
|     CONF_DATA_TEMPLATE, | ||||
|     CONF_EVENT, | ||||
|     CONF_ID, | ||||
|     CONF_KEY, | ||||
|     CONF_MAX_CONNECTIONS, | ||||
|     CONF_ON_CLIENT_CONNECTED, | ||||
|     CONF_ON_CLIENT_DISCONNECTED, | ||||
|     CONF_ON_ERROR, | ||||
|     CONF_ON_SUCCESS, | ||||
|     CONF_PASSWORD, | ||||
|     CONF_PORT, | ||||
|     CONF_REBOOT_TIMEOUT, | ||||
|     CONF_RESPONSE_TEMPLATE, | ||||
|     CONF_SERVICE, | ||||
|     CONF_SERVICES, | ||||
|     CONF_TAG, | ||||
|     CONF_TRIGGER_ID, | ||||
|     CONF_VARIABLES, | ||||
| ) | ||||
| from esphome.core import CORE, ID, CoroPriority, coroutine_with_priority | ||||
| from esphome.cpp_generator import TemplateArgsType | ||||
| from esphome.core import CORE, CoroPriority, coroutine_with_priority | ||||
| from esphome.types import ConfigType | ||||
|  | ||||
| _LOGGER = logging.getLogger(__name__) | ||||
|  | ||||
| DOMAIN = "api" | ||||
| DEPENDENCIES = ["network"] | ||||
| AUTO_LOAD = ["socket"] | ||||
| CODEOWNERS = ["@esphome/core"] | ||||
|  | ||||
|  | ||||
| def AUTO_LOAD(config: ConfigType) -> list[str]: | ||||
|     """Conditionally auto-load json only when capture_response is used.""" | ||||
|     base = ["socket"] | ||||
|  | ||||
|     # Check if any homeassistant.action/homeassistant.service has capture_response: true | ||||
|     # This flag is set during config validation in _validate_response_config | ||||
|     if not config or CORE.data.get(DOMAIN, {}).get(CONF_CAPTURE_RESPONSE, False): | ||||
|         return base + ["json"] | ||||
|  | ||||
|     return base | ||||
|  | ||||
|  | ||||
| api_ns = cg.esphome_ns.namespace("api") | ||||
| APIServer = api_ns.class_("APIServer", cg.Component, cg.Controller) | ||||
| HomeAssistantServiceCallAction = api_ns.class_( | ||||
|     "HomeAssistantServiceCallAction", automation.Action | ||||
| ) | ||||
| ActionResponse = api_ns.class_("ActionResponse") | ||||
| HomeAssistantActionResponseTrigger = api_ns.class_( | ||||
|     "HomeAssistantActionResponseTrigger", automation.Trigger | ||||
| ) | ||||
| APIConnectedCondition = api_ns.class_("APIConnectedCondition", Condition) | ||||
|  | ||||
| UserServiceTrigger = api_ns.class_("UserServiceTrigger", automation.Trigger) | ||||
| @@ -82,6 +60,7 @@ CONF_CUSTOM_SERVICES = "custom_services" | ||||
| CONF_HOMEASSISTANT_SERVICES = "homeassistant_services" | ||||
| CONF_HOMEASSISTANT_STATES = "homeassistant_states" | ||||
| CONF_LISTEN_BACKLOG = "listen_backlog" | ||||
| CONF_MAX_CONNECTIONS = "max_connections" | ||||
| CONF_MAX_SEND_QUEUE = "max_send_queue" | ||||
|  | ||||
|  | ||||
| @@ -155,17 +134,6 @@ def _validate_api_config(config: ConfigType) -> ConfigType: | ||||
|     return config | ||||
|  | ||||
|  | ||||
| def _consume_api_sockets(config: ConfigType) -> ConfigType: | ||||
|     """Register socket needs for API component.""" | ||||
|     from esphome.components import socket | ||||
|  | ||||
|     # API needs 1 listening socket + typically 3 concurrent client connections | ||||
|     # (not max_connections, which is the upper limit rarely reached) | ||||
|     sockets_needed = 1 + 3 | ||||
|     socket.consume_sockets(sockets_needed, "api")(config) | ||||
|     return config | ||||
|  | ||||
|  | ||||
| CONFIG_SCHEMA = cv.All( | ||||
|     cv.Schema( | ||||
|         { | ||||
| @@ -233,7 +201,6 @@ CONFIG_SCHEMA = cv.All( | ||||
|     ).extend(cv.COMPONENT_SCHEMA), | ||||
|     cv.rename_key(CONF_SERVICES, CONF_ACTIONS), | ||||
|     _validate_api_config, | ||||
|     _consume_api_sockets, | ||||
| ) | ||||
|  | ||||
|  | ||||
| @@ -321,29 +288,6 @@ async def to_code(config): | ||||
| KEY_VALUE_SCHEMA = cv.Schema({cv.string: cv.templatable(cv.string_strict)}) | ||||
|  | ||||
|  | ||||
| def _validate_response_config(config: ConfigType) -> ConfigType: | ||||
|     # Validate dependencies: | ||||
|     # - response_template requires capture_response: true | ||||
|     # - capture_response: true requires on_success | ||||
|     if CONF_RESPONSE_TEMPLATE in config and not config[CONF_CAPTURE_RESPONSE]: | ||||
|         raise cv.Invalid( | ||||
|             f"`{CONF_RESPONSE_TEMPLATE}` requires `{CONF_CAPTURE_RESPONSE}: true` to be set.", | ||||
|             path=[CONF_RESPONSE_TEMPLATE], | ||||
|         ) | ||||
|  | ||||
|     if config[CONF_CAPTURE_RESPONSE] and CONF_ON_SUCCESS not in config: | ||||
|         raise cv.Invalid( | ||||
|             f"`{CONF_CAPTURE_RESPONSE}: true` requires `{CONF_ON_SUCCESS}` to be set.", | ||||
|             path=[CONF_CAPTURE_RESPONSE], | ||||
|         ) | ||||
|  | ||||
|     # Track if any action uses capture_response for AUTO_LOAD | ||||
|     if config[CONF_CAPTURE_RESPONSE]: | ||||
|         CORE.data.setdefault(DOMAIN, {})[CONF_CAPTURE_RESPONSE] = True | ||||
|  | ||||
|     return config | ||||
|  | ||||
|  | ||||
| HOMEASSISTANT_ACTION_ACTION_SCHEMA = cv.All( | ||||
|     cv.Schema( | ||||
|         { | ||||
| @@ -359,15 +303,10 @@ HOMEASSISTANT_ACTION_ACTION_SCHEMA = cv.All( | ||||
|             cv.Optional(CONF_VARIABLES, default={}): cv.Schema( | ||||
|                 {cv.string: cv.returning_lambda} | ||||
|             ), | ||||
|             cv.Optional(CONF_RESPONSE_TEMPLATE): cv.templatable(cv.string), | ||||
|             cv.Optional(CONF_CAPTURE_RESPONSE, default=False): cv.boolean, | ||||
|             cv.Optional(CONF_ON_SUCCESS): automation.validate_automation(single=True), | ||||
|             cv.Optional(CONF_ON_ERROR): automation.validate_automation(single=True), | ||||
|         } | ||||
|     ), | ||||
|     cv.has_exactly_one_key(CONF_SERVICE, CONF_ACTION), | ||||
|     cv.rename_key(CONF_SERVICE, CONF_ACTION), | ||||
|     _validate_response_config, | ||||
| ) | ||||
|  | ||||
|  | ||||
| @@ -381,67 +320,21 @@ HOMEASSISTANT_ACTION_ACTION_SCHEMA = cv.All( | ||||
|     HomeAssistantServiceCallAction, | ||||
|     HOMEASSISTANT_ACTION_ACTION_SCHEMA, | ||||
| ) | ||||
| async def homeassistant_service_to_code( | ||||
|     config: ConfigType, | ||||
|     action_id: ID, | ||||
|     template_arg: cg.TemplateArguments, | ||||
|     args: TemplateArgsType, | ||||
| ): | ||||
| async def homeassistant_service_to_code(config, action_id, template_arg, args): | ||||
|     cg.add_define("USE_API_HOMEASSISTANT_SERVICES") | ||||
|     serv = await cg.get_variable(config[CONF_ID]) | ||||
|     var = cg.new_Pvariable(action_id, template_arg, serv, False) | ||||
|     templ = await cg.templatable(config[CONF_ACTION], args, None) | ||||
|     cg.add(var.set_service(templ)) | ||||
|  | ||||
|     # Initialize FixedVectors with exact sizes from config | ||||
|     cg.add(var.init_data(len(config[CONF_DATA]))) | ||||
|     for key, value in config[CONF_DATA].items(): | ||||
|         templ = await cg.templatable(value, args, None) | ||||
|         cg.add(var.add_data(key, templ)) | ||||
|  | ||||
|     cg.add(var.init_data_template(len(config[CONF_DATA_TEMPLATE]))) | ||||
|     for key, value in config[CONF_DATA_TEMPLATE].items(): | ||||
|         templ = await cg.templatable(value, args, None) | ||||
|         cg.add(var.add_data_template(key, templ)) | ||||
|  | ||||
|     cg.add(var.init_variables(len(config[CONF_VARIABLES]))) | ||||
|     for key, value in config[CONF_VARIABLES].items(): | ||||
|         templ = await cg.templatable(value, args, None) | ||||
|         cg.add(var.add_variable(key, templ)) | ||||
|  | ||||
|     if on_error := config.get(CONF_ON_ERROR): | ||||
|         cg.add_define("USE_API_HOMEASSISTANT_ACTION_RESPONSES") | ||||
|         cg.add_define("USE_API_HOMEASSISTANT_ACTION_RESPONSES_ERRORS") | ||||
|         cg.add(var.set_wants_status()) | ||||
|         await automation.build_automation( | ||||
|             var.get_error_trigger(), | ||||
|             [(cg.std_string, "error"), *args], | ||||
|             on_error, | ||||
|         ) | ||||
|  | ||||
|     if on_success := config.get(CONF_ON_SUCCESS): | ||||
|         cg.add_define("USE_API_HOMEASSISTANT_ACTION_RESPONSES") | ||||
|         cg.add(var.set_wants_status()) | ||||
|         if config[CONF_CAPTURE_RESPONSE]: | ||||
|             cg.add(var.set_wants_response()) | ||||
|             cg.add_define("USE_API_HOMEASSISTANT_ACTION_RESPONSES_JSON") | ||||
|             await automation.build_automation( | ||||
|                 var.get_success_trigger_with_response(), | ||||
|                 [(cg.JsonObjectConst, "response"), *args], | ||||
|                 on_success, | ||||
|             ) | ||||
|  | ||||
|             if response_template := config.get(CONF_RESPONSE_TEMPLATE): | ||||
|                 templ = await cg.templatable(response_template, args, cg.std_string) | ||||
|                 cg.add(var.set_response_template(templ)) | ||||
|  | ||||
|         else: | ||||
|             await automation.build_automation( | ||||
|                 var.get_success_trigger(), | ||||
|                 args, | ||||
|                 on_success, | ||||
|             ) | ||||
|  | ||||
|     return var | ||||
|  | ||||
|  | ||||
| @@ -477,23 +370,15 @@ async def homeassistant_event_to_code(config, action_id, template_arg, args): | ||||
|     var = cg.new_Pvariable(action_id, template_arg, serv, True) | ||||
|     templ = await cg.templatable(config[CONF_EVENT], args, None) | ||||
|     cg.add(var.set_service(templ)) | ||||
|  | ||||
|     # Initialize FixedVectors with exact sizes from config | ||||
|     cg.add(var.init_data(len(config[CONF_DATA]))) | ||||
|     for key, value in config[CONF_DATA].items(): | ||||
|         templ = await cg.templatable(value, args, None) | ||||
|         cg.add(var.add_data(key, templ)) | ||||
|  | ||||
|     cg.add(var.init_data_template(len(config[CONF_DATA_TEMPLATE]))) | ||||
|     for key, value in config[CONF_DATA_TEMPLATE].items(): | ||||
|         templ = await cg.templatable(value, args, None) | ||||
|         cg.add(var.add_data_template(key, templ)) | ||||
|  | ||||
|     cg.add(var.init_variables(len(config[CONF_VARIABLES]))) | ||||
|     for key, value in config[CONF_VARIABLES].items(): | ||||
|         templ = await cg.templatable(value, args, None) | ||||
|         cg.add(var.add_variable(key, templ)) | ||||
|  | ||||
|     return var | ||||
|  | ||||
|  | ||||
| @@ -516,8 +401,6 @@ async def homeassistant_tag_scanned_to_code(config, action_id, template_arg, arg | ||||
|     serv = await cg.get_variable(config[CONF_ID]) | ||||
|     var = cg.new_Pvariable(action_id, template_arg, serv, True) | ||||
|     cg.add(var.set_service("esphome.tag_scanned")) | ||||
|     # Initialize FixedVector with exact size (1 data field) | ||||
|     cg.add(var.init_data(1)) | ||||
|     templ = await cg.templatable(config[CONF_TAG], args, cg.std_string) | ||||
|     cg.add(var.add_data("tag_id", templ)) | ||||
|     return var | ||||
|   | ||||
| @@ -506,7 +506,7 @@ message ListEntitiesLightResponse { | ||||
|   string name = 3; | ||||
|   reserved 4; // Deprecated: was string unique_id | ||||
|  | ||||
|   repeated ColorMode supported_color_modes = 12 [(container_pointer_no_template) = "light::ColorModeMask"]; | ||||
|   repeated ColorMode supported_color_modes = 12 [(container_pointer) = "std::set<light::ColorMode>"]; | ||||
|   // next four supports_* are for legacy clients, newer clients should use color modes | ||||
|   // Deprecated in API version 1.6 | ||||
|   bool legacy_supports_brightness = 5 [deprecated=true]; | ||||
| @@ -776,26 +776,10 @@ message HomeassistantActionRequest { | ||||
|   option (ifdef) = "USE_API_HOMEASSISTANT_SERVICES"; | ||||
|  | ||||
|   string service = 1; | ||||
|   repeated HomeassistantServiceMap data = 2 [(fixed_vector) = true]; | ||||
|   repeated HomeassistantServiceMap data_template = 3 [(fixed_vector) = true]; | ||||
|   repeated HomeassistantServiceMap variables = 4 [(fixed_vector) = true]; | ||||
|   repeated HomeassistantServiceMap data = 2; | ||||
|   repeated HomeassistantServiceMap data_template = 3; | ||||
|   repeated HomeassistantServiceMap variables = 4; | ||||
|   bool is_event = 5; | ||||
|   uint32 call_id = 6 [(field_ifdef) = "USE_API_HOMEASSISTANT_ACTION_RESPONSES"]; | ||||
|   bool wants_response = 7 [(field_ifdef) = "USE_API_HOMEASSISTANT_ACTION_RESPONSES_JSON"]; | ||||
|   string response_template = 8 [(no_zero_copy) = true, (field_ifdef) = "USE_API_HOMEASSISTANT_ACTION_RESPONSES_JSON"]; | ||||
| } | ||||
|  | ||||
| // Message sent by Home Assistant to ESPHome with service call response data | ||||
| message HomeassistantActionResponse { | ||||
|   option (id) = 130; | ||||
|   option (source) = SOURCE_CLIENT; | ||||
|   option (no_delay) = true; | ||||
|   option (ifdef) = "USE_API_HOMEASSISTANT_ACTION_RESPONSES"; | ||||
|  | ||||
|   uint32 call_id = 1; // Matches the call_id from HomeassistantActionRequest | ||||
|   bool success = 2; // Whether the service call succeeded | ||||
|   string error_message = 3; // Error message if success = false | ||||
|   bytes response_data = 4 [(pointer_to_buffer) = true, (field_ifdef) = "USE_API_HOMEASSISTANT_ACTION_RESPONSES_JSON"]; | ||||
| } | ||||
|  | ||||
| // ==================== IMPORT HOME ASSISTANT STATES ==================== | ||||
| @@ -866,7 +850,7 @@ message ListEntitiesServicesResponse { | ||||
|  | ||||
|   string name = 1; | ||||
|   fixed32 key = 2; | ||||
|   repeated ListEntitiesServicesArgument args = 3 [(fixed_vector) = true]; | ||||
|   repeated ListEntitiesServicesArgument args = 3; | ||||
| } | ||||
| message ExecuteServiceArgument { | ||||
|   option (ifdef) = "USE_API_SERVICES"; | ||||
| @@ -876,10 +860,10 @@ message ExecuteServiceArgument { | ||||
|   string string_ = 4; | ||||
|   // ESPHome 1.14 (api v1.3) make int a signed value | ||||
|   sint32 int_ = 5; | ||||
|   repeated bool bool_array = 6 [packed=false, (fixed_vector) = true]; | ||||
|   repeated sint32 int_array = 7 [packed=false, (fixed_vector) = true]; | ||||
|   repeated float float_array = 8 [packed=false, (fixed_vector) = true]; | ||||
|   repeated string string_array = 9 [(fixed_vector) = true]; | ||||
|   repeated bool bool_array = 6 [packed=false]; | ||||
|   repeated sint32 int_array = 7 [packed=false]; | ||||
|   repeated float float_array = 8 [packed=false]; | ||||
|   repeated string string_array = 9; | ||||
| } | ||||
| message ExecuteServiceRequest { | ||||
|   option (id) = 42; | ||||
| @@ -888,7 +872,7 @@ message ExecuteServiceRequest { | ||||
|   option (ifdef) = "USE_API_SERVICES"; | ||||
|  | ||||
|   fixed32 key = 1; | ||||
|   repeated ExecuteServiceArgument args = 2 [(fixed_vector) = true]; | ||||
|   repeated ExecuteServiceArgument args = 2; | ||||
| } | ||||
|  | ||||
| // ==================== CAMERA ==================== | ||||
| @@ -987,8 +971,8 @@ message ListEntitiesClimateResponse { | ||||
|   string name = 3; | ||||
|   reserved 4; // Deprecated: was string unique_id | ||||
|  | ||||
|   bool supports_current_temperature = 5; // Deprecated: use feature_flags | ||||
|   bool supports_two_point_target_temperature = 6; // Deprecated: use feature_flags | ||||
|   bool supports_current_temperature = 5; | ||||
|   bool supports_two_point_target_temperature = 6; | ||||
|   repeated ClimateMode supported_modes = 7 [(container_pointer) = "std::set<climate::ClimateMode>"]; | ||||
|   float visual_min_temperature = 8; | ||||
|   float visual_max_temperature = 9; | ||||
| @@ -997,7 +981,7 @@ message ListEntitiesClimateResponse { | ||||
|   // is if CLIMATE_PRESET_AWAY exists is supported_presets | ||||
|   // Deprecated in API version 1.5 | ||||
|   bool legacy_supports_away = 11 [deprecated=true]; | ||||
|   bool supports_action = 12; // Deprecated: use feature_flags | ||||
|   bool supports_action = 12; | ||||
|   repeated ClimateFanMode supported_fan_modes = 13 [(container_pointer) = "std::set<climate::ClimateFanMode>"]; | ||||
|   repeated ClimateSwingMode supported_swing_modes = 14 [(container_pointer) = "std::set<climate::ClimateSwingMode>"]; | ||||
|   repeated string supported_custom_fan_modes = 15 [(container_pointer) = "std::set"]; | ||||
| @@ -1007,12 +991,11 @@ message ListEntitiesClimateResponse { | ||||
|   string icon = 19 [(field_ifdef) = "USE_ENTITY_ICON"]; | ||||
|   EntityCategory entity_category = 20; | ||||
|   float visual_current_temperature_step = 21; | ||||
|   bool supports_current_humidity = 22; // Deprecated: use feature_flags | ||||
|   bool supports_target_humidity = 23; // Deprecated: use feature_flags | ||||
|   bool supports_current_humidity = 22; | ||||
|   bool supports_target_humidity = 23; | ||||
|   float visual_min_humidity = 24; | ||||
|   float visual_max_humidity = 25; | ||||
|   uint32 device_id = 26 [(field_ifdef) = "USE_DEVICES"]; | ||||
|   uint32 feature_flags = 27; | ||||
| } | ||||
| message ClimateStateResponse { | ||||
|   option (id) = 47; | ||||
| @@ -1520,7 +1503,7 @@ message BluetoothGATTCharacteristic { | ||||
|   repeated uint64 uuid = 1 [(fixed_array_size) = 2, (fixed_array_skip_zero) = true]; | ||||
|   uint32 handle = 2; | ||||
|   uint32 properties = 3; | ||||
|   repeated BluetoothGATTDescriptor descriptors = 4 [(fixed_vector) = true]; | ||||
|   repeated BluetoothGATTDescriptor descriptors = 4; | ||||
|  | ||||
|   // New field for efficient UUID (v1.12+) | ||||
|   // Only one of uuid or short_uuid will be set. | ||||
| @@ -1532,7 +1515,7 @@ message BluetoothGATTCharacteristic { | ||||
| message BluetoothGATTService { | ||||
|   repeated uint64 uuid = 1 [(fixed_array_size) = 2, (fixed_array_skip_zero) = true]; | ||||
|   uint32 handle = 2; | ||||
|   repeated BluetoothGATTCharacteristic characteristics = 3 [(fixed_vector) = true]; | ||||
|   repeated BluetoothGATTCharacteristic characteristics = 3; | ||||
|  | ||||
|   // New field for efficient UUID (v1.12+) | ||||
|   // Only one of uuid or short_uuid will be set. | ||||
|   | ||||
| @@ -8,9 +8,9 @@ | ||||
| #endif | ||||
| #include <cerrno> | ||||
| #include <cinttypes> | ||||
| #include <utility> | ||||
| #include <functional> | ||||
| #include <limits> | ||||
| #include <utility> | ||||
| #include "esphome/components/network/util.h" | ||||
| #include "esphome/core/application.h" | ||||
| #include "esphome/core/entity_base.h" | ||||
| @@ -27,9 +27,6 @@ | ||||
| #ifdef USE_BLUETOOTH_PROXY | ||||
| #include "esphome/components/bluetooth_proxy/bluetooth_proxy.h" | ||||
| #endif | ||||
| #ifdef USE_CLIMATE | ||||
| #include "esphome/components/climate/climate_mode.h" | ||||
| #endif | ||||
| #ifdef USE_VOICE_ASSISTANT | ||||
| #include "esphome/components/voice_assistant/voice_assistant.h" | ||||
| #endif | ||||
| @@ -119,7 +116,8 @@ void APIConnection::start() { | ||||
|  | ||||
|   APIError err = this->helper_->init(); | ||||
|   if (err != APIError::OK) { | ||||
|     this->fatal_error_with_log_(LOG_STR("Helper init failed"), err); | ||||
|     on_fatal_error(); | ||||
|     this->log_warning_(LOG_STR("Helper init failed"), err); | ||||
|     return; | ||||
|   } | ||||
|   this->client_info_.peername = helper_->getpeername(); | ||||
| @@ -149,7 +147,8 @@ void APIConnection::loop() { | ||||
|  | ||||
|   APIError err = this->helper_->loop(); | ||||
|   if (err != APIError::OK) { | ||||
|     this->fatal_error_with_log_(LOG_STR("Socket operation failed"), err); | ||||
|     on_fatal_error(); | ||||
|     this->log_socket_operation_failed_(err); | ||||
|     return; | ||||
|   } | ||||
|  | ||||
| @@ -164,13 +163,17 @@ void APIConnection::loop() { | ||||
|         // No more data available | ||||
|         break; | ||||
|       } else if (err != APIError::OK) { | ||||
|         this->fatal_error_with_log_(LOG_STR("Reading failed"), err); | ||||
|         on_fatal_error(); | ||||
|         this->log_warning_(LOG_STR("Reading failed"), err); | ||||
|         return; | ||||
|       } else { | ||||
|         this->last_traffic_ = now; | ||||
|         // read a packet | ||||
|         this->read_message(buffer.data_len, buffer.type, | ||||
|                            buffer.data_len > 0 ? &buffer.container[buffer.data_offset] : nullptr); | ||||
|         if (buffer.data_len > 0) { | ||||
|           this->read_message(buffer.data_len, buffer.type, &buffer.container[buffer.data_offset]); | ||||
|         } else { | ||||
|           this->read_message(0, buffer.type, nullptr); | ||||
|         } | ||||
|         if (this->flags_.remove) | ||||
|           return; | ||||
|       } | ||||
| @@ -453,6 +456,7 @@ uint16_t APIConnection::try_send_light_state(EntityBase *entity, APIConnection * | ||||
|                                              bool is_single) { | ||||
|   auto *light = static_cast<light::LightState *>(entity); | ||||
|   LightStateResponse resp; | ||||
|   auto traits = light->get_traits(); | ||||
|   auto values = light->remote_values; | ||||
|   auto color_mode = values.get_color_mode(); | ||||
|   resp.state = values.is_on(); | ||||
| @@ -476,8 +480,7 @@ uint16_t APIConnection::try_send_light_info(EntityBase *entity, APIConnection *c | ||||
|   auto *light = static_cast<light::LightState *>(entity); | ||||
|   ListEntitiesLightResponse msg; | ||||
|   auto traits = light->get_traits(); | ||||
|   // Pass pointer to ColorModeMask so the iterator can encode actual ColorMode enum values | ||||
|   msg.supported_color_modes = &traits.get_supported_color_modes(); | ||||
|   msg.supported_color_modes = &traits.get_supported_color_modes_for_api_(); | ||||
|   if (traits.supports_color_capability(light::ColorCapability::COLOR_TEMPERATURE) || | ||||
|       traits.supports_color_capability(light::ColorCapability::COLD_WARM_WHITE)) { | ||||
|     msg.min_mireds = traits.get_min_mireds(); | ||||
| @@ -626,10 +629,9 @@ uint16_t APIConnection::try_send_climate_state(EntityBase *entity, APIConnection | ||||
|   auto traits = climate->get_traits(); | ||||
|   resp.mode = static_cast<enums::ClimateMode>(climate->mode); | ||||
|   resp.action = static_cast<enums::ClimateAction>(climate->action); | ||||
|   if (traits.has_feature_flags(climate::CLIMATE_SUPPORTS_CURRENT_TEMPERATURE)) | ||||
|   if (traits.get_supports_current_temperature()) | ||||
|     resp.current_temperature = climate->current_temperature; | ||||
|   if (traits.has_feature_flags(climate::CLIMATE_SUPPORTS_TWO_POINT_TARGET_TEMPERATURE | | ||||
|                                climate::CLIMATE_REQUIRES_TWO_POINT_TARGET_TEMPERATURE)) { | ||||
|   if (traits.get_supports_two_point_target_temperature()) { | ||||
|     resp.target_temperature_low = climate->target_temperature_low; | ||||
|     resp.target_temperature_high = climate->target_temperature_high; | ||||
|   } else { | ||||
| @@ -648,9 +650,9 @@ uint16_t APIConnection::try_send_climate_state(EntityBase *entity, APIConnection | ||||
|   } | ||||
|   if (traits.get_supports_swing_modes()) | ||||
|     resp.swing_mode = static_cast<enums::ClimateSwingMode>(climate->swing_mode); | ||||
|   if (traits.has_feature_flags(climate::CLIMATE_SUPPORTS_CURRENT_HUMIDITY)) | ||||
|   if (traits.get_supports_current_humidity()) | ||||
|     resp.current_humidity = climate->current_humidity; | ||||
|   if (traits.has_feature_flags(climate::CLIMATE_SUPPORTS_TARGET_HUMIDITY)) | ||||
|   if (traits.get_supports_target_humidity()) | ||||
|     resp.target_humidity = climate->target_humidity; | ||||
|   return fill_and_encode_entity_state(climate, resp, ClimateStateResponse::MESSAGE_TYPE, conn, remaining_size, | ||||
|                                       is_single); | ||||
| @@ -660,15 +662,10 @@ uint16_t APIConnection::try_send_climate_info(EntityBase *entity, APIConnection | ||||
|   auto *climate = static_cast<climate::Climate *>(entity); | ||||
|   ListEntitiesClimateResponse msg; | ||||
|   auto traits = climate->get_traits(); | ||||
|   // Flags set for backward compatibility, deprecated in 2025.11.0 | ||||
|   msg.supports_current_temperature = traits.has_feature_flags(climate::CLIMATE_SUPPORTS_CURRENT_TEMPERATURE); | ||||
|   msg.supports_current_humidity = traits.has_feature_flags(climate::CLIMATE_SUPPORTS_CURRENT_HUMIDITY); | ||||
|   msg.supports_two_point_target_temperature = traits.has_feature_flags( | ||||
|       climate::CLIMATE_SUPPORTS_TWO_POINT_TARGET_TEMPERATURE | climate::CLIMATE_REQUIRES_TWO_POINT_TARGET_TEMPERATURE); | ||||
|   msg.supports_target_humidity = traits.has_feature_flags(climate::CLIMATE_SUPPORTS_TARGET_HUMIDITY); | ||||
|   msg.supports_action = traits.has_feature_flags(climate::CLIMATE_SUPPORTS_ACTION); | ||||
|   // Current feature flags and other supported parameters | ||||
|   msg.feature_flags = traits.get_feature_flags(); | ||||
|   msg.supports_current_temperature = traits.get_supports_current_temperature(); | ||||
|   msg.supports_current_humidity = traits.get_supports_current_humidity(); | ||||
|   msg.supports_two_point_target_temperature = traits.get_supports_two_point_target_temperature(); | ||||
|   msg.supports_target_humidity = traits.get_supports_target_humidity(); | ||||
|   msg.supported_modes = &traits.get_supported_modes_for_api_(); | ||||
|   msg.visual_min_temperature = traits.get_visual_min_temperature(); | ||||
|   msg.visual_max_temperature = traits.get_visual_max_temperature(); | ||||
| @@ -676,6 +673,7 @@ uint16_t APIConnection::try_send_climate_info(EntityBase *entity, APIConnection | ||||
|   msg.visual_current_temperature_step = traits.get_visual_current_temperature_step(); | ||||
|   msg.visual_min_humidity = traits.get_visual_min_humidity(); | ||||
|   msg.visual_max_humidity = traits.get_visual_max_humidity(); | ||||
|   msg.supports_action = traits.get_supports_action(); | ||||
|   msg.supported_fan_modes = &traits.get_supported_fan_modes_for_api_(); | ||||
|   msg.supported_custom_fan_modes = &traits.get_supported_custom_fan_modes_for_api_(); | ||||
|   msg.supported_presets = &traits.get_supported_presets_for_api_(); | ||||
| @@ -1082,8 +1080,13 @@ void APIConnection::on_get_time_response(const GetTimeResponse &value) { | ||||
|     homeassistant::global_homeassistant_time->set_epoch_time(value.epoch_seconds); | ||||
| #ifdef USE_TIME_TIMEZONE | ||||
|     if (value.timezone_len > 0) { | ||||
|       homeassistant::global_homeassistant_time->set_timezone(reinterpret_cast<const char *>(value.timezone), | ||||
|                                                              value.timezone_len); | ||||
|       const std::string ¤t_tz = homeassistant::global_homeassistant_time->get_timezone(); | ||||
|       // Compare without allocating a string | ||||
|       if (current_tz.length() != value.timezone_len || | ||||
|           memcmp(current_tz.c_str(), value.timezone, value.timezone_len) != 0) { | ||||
|         homeassistant::global_homeassistant_time->set_timezone( | ||||
|             std::string(reinterpret_cast<const char *>(value.timezone), value.timezone_len)); | ||||
|       } | ||||
|     } | ||||
| #endif | ||||
|   } | ||||
| @@ -1392,11 +1395,6 @@ void APIConnection::complete_authentication_() { | ||||
|     this->send_time_request(); | ||||
|   } | ||||
| #endif | ||||
| #ifdef USE_ZWAVE_PROXY | ||||
|   if (zwave_proxy::global_zwave_proxy != nullptr) { | ||||
|     zwave_proxy::global_zwave_proxy->api_connection_authenticated(this); | ||||
|   } | ||||
| #endif | ||||
| } | ||||
|  | ||||
| bool APIConnection::send_hello_response(const HelloRequest &msg) { | ||||
| @@ -1409,7 +1407,7 @@ bool APIConnection::send_hello_response(const HelloRequest &msg) { | ||||
|  | ||||
|   HelloResponse resp; | ||||
|   resp.api_version_major = 1; | ||||
|   resp.api_version_minor = 13; | ||||
|   resp.api_version_minor = 12; | ||||
|   // Send only the version string - the client only logs this for debugging and doesn't use it otherwise | ||||
|   resp.set_server_info(ESPHOME_VERSION_REF); | ||||
|   resp.set_name(StringRef(App.get_name())); | ||||
| @@ -1552,20 +1550,6 @@ void APIConnection::execute_service(const ExecuteServiceRequest &msg) { | ||||
|   } | ||||
| } | ||||
| #endif | ||||
|  | ||||
| #ifdef USE_API_HOMEASSISTANT_ACTION_RESPONSES | ||||
| void APIConnection::on_homeassistant_action_response(const HomeassistantActionResponse &msg) { | ||||
| #ifdef USE_API_HOMEASSISTANT_ACTION_RESPONSES_JSON | ||||
|   if (msg.response_data_len > 0) { | ||||
|     this->parent_->handle_action_response(msg.call_id, msg.success, msg.error_message, msg.response_data, | ||||
|                                           msg.response_data_len); | ||||
|   } else | ||||
| #endif | ||||
|   { | ||||
|     this->parent_->handle_action_response(msg.call_id, msg.success, msg.error_message); | ||||
|   } | ||||
| }; | ||||
| #endif | ||||
| #ifdef USE_API_NOISE | ||||
| bool APIConnection::send_noise_encryption_set_key_response(const NoiseEncryptionSetKeyRequest &msg) { | ||||
|   NoiseEncryptionSetKeyResponse resp; | ||||
| @@ -1596,7 +1580,8 @@ bool APIConnection::try_to_clear_buffer(bool log_out_of_space) { | ||||
|   delay(0); | ||||
|   APIError err = this->helper_->loop(); | ||||
|   if (err != APIError::OK) { | ||||
|     this->fatal_error_with_log_(LOG_STR("Socket operation failed"), err); | ||||
|     on_fatal_error(); | ||||
|     this->log_socket_operation_failed_(err); | ||||
|     return false; | ||||
|   } | ||||
|   if (this->helper_->can_write_without_blocking()) | ||||
| @@ -1615,7 +1600,8 @@ bool APIConnection::send_buffer(ProtoWriteBuffer buffer, uint8_t message_type) { | ||||
|   if (err == APIError::WOULD_BLOCK) | ||||
|     return false; | ||||
|   if (err != APIError::OK) { | ||||
|     this->fatal_error_with_log_(LOG_STR("Packet write failed"), err); | ||||
|     on_fatal_error(); | ||||
|     this->log_warning_(LOG_STR("Packet write failed"), err); | ||||
|     return false; | ||||
|   } | ||||
|   // Do not set last_traffic_ on send | ||||
| @@ -1801,7 +1787,8 @@ void APIConnection::process_batch_() { | ||||
|   APIError err = this->helper_->write_protobuf_packets(ProtoWriteBuffer{&shared_buf}, | ||||
|                                                        std::span<const PacketInfo>(packet_info, packet_count)); | ||||
|   if (err != APIError::OK && err != APIError::WOULD_BLOCK) { | ||||
|     this->fatal_error_with_log_(LOG_STR("Batch write failed"), err); | ||||
|     on_fatal_error(); | ||||
|     this->log_warning_(LOG_STR("Batch write failed"), err); | ||||
|   } | ||||
|  | ||||
| #ifdef HAS_PROTO_MESSAGE_DUMP | ||||
| @@ -1884,5 +1871,9 @@ void APIConnection::log_warning_(const LogString *message, APIError err) { | ||||
|            LOG_STR_ARG(message), LOG_STR_ARG(api_error_to_logstr(err)), errno); | ||||
| } | ||||
|  | ||||
| void APIConnection::log_socket_operation_failed_(APIError err) { | ||||
|   this->log_warning_(LOG_STR("Socket operation failed"), err); | ||||
| } | ||||
|  | ||||
| }  // namespace esphome::api | ||||
| #endif | ||||
|   | ||||
| @@ -129,10 +129,7 @@ class APIConnection final : public APIServerConnection { | ||||
|       return; | ||||
|     this->send_message(call, HomeassistantActionRequest::MESSAGE_TYPE); | ||||
|   } | ||||
| #ifdef USE_API_HOMEASSISTANT_ACTION_RESPONSES | ||||
|   void on_homeassistant_action_response(const HomeassistantActionResponse &msg) override; | ||||
| #endif  // USE_API_HOMEASSISTANT_ACTION_RESPONSES | ||||
| #endif  // USE_API_HOMEASSISTANT_SERVICES | ||||
| #endif | ||||
| #ifdef USE_BLUETOOTH_PROXY | ||||
|   void subscribe_bluetooth_le_advertisements(const SubscribeBluetoothLEAdvertisementsRequest &msg) override; | ||||
|   void unsubscribe_bluetooth_le_advertisements(const UnsubscribeBluetoothLEAdvertisementsRequest &msg) override; | ||||
| @@ -735,11 +732,8 @@ class APIConnection final : public APIServerConnection { | ||||
|  | ||||
|   // Helper function to log API errors with errno | ||||
|   void log_warning_(const LogString *message, APIError err); | ||||
|   // Helper to handle fatal errors with logging | ||||
|   inline void fatal_error_with_log_(const LogString *message, APIError err) { | ||||
|     this->on_fatal_error(); | ||||
|     this->log_warning_(message, err); | ||||
|   } | ||||
|   // Specific helper for duplicated error message | ||||
|   void log_socket_operation_failed_(APIError err); | ||||
| }; | ||||
|  | ||||
| }  // namespace esphome::api | ||||
|   | ||||
| @@ -19,14 +19,13 @@ namespace esphome::api { | ||||
| //#define HELPER_LOG_PACKETS | ||||
|  | ||||
| // Maximum message size limits to prevent OOM on constrained devices | ||||
| // Handshake messages are limited to a small size for security | ||||
| static constexpr uint16_t MAX_HANDSHAKE_SIZE = 128; | ||||
|  | ||||
| // Data message limits vary by platform based on available memory | ||||
| // Voice Assistant is our largest user at 1024 bytes per audio chunk | ||||
| // Using 2048 + 256 bytes overhead = 2304 bytes total to support voice and future needs | ||||
| // ESP8266 has very limited RAM and cannot support voice assistant | ||||
| #ifdef USE_ESP8266 | ||||
| static constexpr uint16_t MAX_MESSAGE_SIZE = 8192;  // 8 KiB for ESP8266 | ||||
| static constexpr uint16_t MAX_MESSAGE_SIZE = 512;  // Keep small for memory constrained ESP8266 | ||||
| #else | ||||
| static constexpr uint16_t MAX_MESSAGE_SIZE = 32768;  // 32 KiB for ESP32 and other platforms | ||||
| static constexpr uint16_t MAX_MESSAGE_SIZE = 2304;  // Support voice (1024) + headroom for larger messages | ||||
| #endif | ||||
|  | ||||
| // Forward declaration | ||||
|   | ||||
| @@ -132,19 +132,24 @@ APIError APINoiseFrameHelper::loop() { | ||||
|   return APIFrameHelper::loop(); | ||||
| } | ||||
|  | ||||
| /** Read a packet into the rx_buf_. | ||||
| /** Read a packet into the rx_buf_. If successful, stores frame data in the frame parameter | ||||
|  * | ||||
|  * @return APIError::OK if a full packet is in rx_buf_ | ||||
|  * @param frame: The struct to hold the frame information in. | ||||
|  *   msg_start: points to the start of the payload - this pointer is only valid until the next | ||||
|  *     try_receive_raw_ call | ||||
|  * | ||||
|  * @return 0 if a full packet is in rx_buf_ | ||||
|  * @return -1 if error, check errno. | ||||
|  * | ||||
|  * errno EWOULDBLOCK: Packet could not be read without blocking. Try again later. | ||||
|  * errno ENOMEM: Not enough memory for reading packet. | ||||
|  * errno API_ERROR_BAD_INDICATOR: Bad indicator byte at start of frame. | ||||
|  * errno API_ERROR_HANDSHAKE_PACKET_LEN: Packet too big for this phase. | ||||
|  */ | ||||
| APIError APINoiseFrameHelper::try_read_frame_() { | ||||
|   // Clear buffer when starting a new frame (rx_buf_len_ == 0 means not resuming after WOULD_BLOCK) | ||||
|   if (this->rx_buf_len_ == 0) { | ||||
|     this->rx_buf_.clear(); | ||||
| APIError APINoiseFrameHelper::try_read_frame_(std::vector<uint8_t> *frame) { | ||||
|   if (frame == nullptr) { | ||||
|     HELPER_LOG("Bad argument for try_read_frame_"); | ||||
|     return APIError::BAD_ARG; | ||||
|   } | ||||
|  | ||||
|   // read header | ||||
| @@ -173,17 +178,23 @@ APIError APINoiseFrameHelper::try_read_frame_() { | ||||
|   // read body | ||||
|   uint16_t msg_size = (((uint16_t) rx_header_buf_[1]) << 8) | rx_header_buf_[2]; | ||||
|  | ||||
|   // Check against size limits to prevent OOM: MAX_HANDSHAKE_SIZE for handshake, MAX_MESSAGE_SIZE for data | ||||
|   uint16_t limit = (state_ == State::DATA) ? MAX_MESSAGE_SIZE : MAX_HANDSHAKE_SIZE; | ||||
|   if (msg_size > limit) { | ||||
|   if (state_ != State::DATA && msg_size > 128) { | ||||
|     // for handshake message only permit up to 128 bytes | ||||
|     state_ = State::FAILED; | ||||
|     HELPER_LOG("Bad packet: message size %u exceeds maximum %u", msg_size, limit); | ||||
|     return (state_ == State::DATA) ? APIError::BAD_DATA_PACKET : APIError::BAD_HANDSHAKE_PACKET_LEN; | ||||
|     HELPER_LOG("Bad packet len for handshake: %d", msg_size); | ||||
|     return APIError::BAD_HANDSHAKE_PACKET_LEN; | ||||
|   } | ||||
|  | ||||
|   // Reserve space for body | ||||
|   if (this->rx_buf_.size() != msg_size) { | ||||
|     this->rx_buf_.resize(msg_size); | ||||
|   // Check against maximum message size to prevent OOM | ||||
|   if (msg_size > MAX_MESSAGE_SIZE) { | ||||
|     state_ = State::FAILED; | ||||
|     HELPER_LOG("Bad packet: message size %u exceeds maximum %u", msg_size, MAX_MESSAGE_SIZE); | ||||
|     return APIError::BAD_DATA_PACKET; | ||||
|   } | ||||
|  | ||||
|   // reserve space for body | ||||
|   if (rx_buf_.size() != msg_size) { | ||||
|     rx_buf_.resize(msg_size); | ||||
|   } | ||||
|  | ||||
|   if (rx_buf_len_ < msg_size) { | ||||
| @@ -201,12 +212,12 @@ APIError APINoiseFrameHelper::try_read_frame_() { | ||||
|     } | ||||
|   } | ||||
|  | ||||
|   LOG_PACKET_RECEIVED(this->rx_buf_); | ||||
|  | ||||
|   // Clear state for next frame (rx_buf_ still contains data for caller) | ||||
|   this->rx_buf_len_ = 0; | ||||
|   this->rx_header_buf_len_ = 0; | ||||
|  | ||||
|   LOG_PACKET_RECEIVED(rx_buf_); | ||||
|   *frame = std::move(rx_buf_); | ||||
|   // consume msg | ||||
|   rx_buf_ = {}; | ||||
|   rx_buf_len_ = 0; | ||||
|   rx_header_buf_len_ = 0; | ||||
|   return APIError::OK; | ||||
| } | ||||
|  | ||||
| @@ -228,17 +239,18 @@ APIError APINoiseFrameHelper::state_action_() { | ||||
|   } | ||||
|   if (state_ == State::CLIENT_HELLO) { | ||||
|     // waiting for client hello | ||||
|     aerr = this->try_read_frame_(); | ||||
|     std::vector<uint8_t> frame; | ||||
|     aerr = try_read_frame_(&frame); | ||||
|     if (aerr != APIError::OK) { | ||||
|       return handle_handshake_frame_error_(aerr); | ||||
|     } | ||||
|     // ignore contents, may be used in future for flags | ||||
|     // Resize for: existing prologue + 2 size bytes + frame data | ||||
|     size_t old_size = this->prologue_.size(); | ||||
|     this->prologue_.resize(old_size + 2 + this->rx_buf_.size()); | ||||
|     this->prologue_[old_size] = (uint8_t) (this->rx_buf_.size() >> 8); | ||||
|     this->prologue_[old_size + 1] = (uint8_t) this->rx_buf_.size(); | ||||
|     std::memcpy(this->prologue_.data() + old_size + 2, this->rx_buf_.data(), this->rx_buf_.size()); | ||||
|     size_t old_size = prologue_.size(); | ||||
|     prologue_.resize(old_size + 2 + frame.size()); | ||||
|     prologue_[old_size] = (uint8_t) (frame.size() >> 8); | ||||
|     prologue_[old_size + 1] = (uint8_t) frame.size(); | ||||
|     std::memcpy(prologue_.data() + old_size + 2, frame.data(), frame.size()); | ||||
|  | ||||
|     state_ = State::SERVER_HELLO; | ||||
|   } | ||||
| @@ -247,6 +259,7 @@ APIError APINoiseFrameHelper::state_action_() { | ||||
|     const std::string &name = App.get_name(); | ||||
|     const std::string &mac = get_mac_address(); | ||||
|  | ||||
|     std::vector<uint8_t> msg; | ||||
|     // Calculate positions and sizes | ||||
|     size_t name_len = name.size() + 1;  // including null terminator | ||||
|     size_t mac_len = mac.size() + 1;    // including null terminator | ||||
| @@ -254,17 +267,17 @@ APIError APINoiseFrameHelper::state_action_() { | ||||
|     size_t mac_offset = name_offset + name_len; | ||||
|     size_t total_size = 1 + name_len + mac_len; | ||||
|  | ||||
|     auto msg = std::make_unique<uint8_t[]>(total_size); | ||||
|     msg.resize(total_size); | ||||
|  | ||||
|     // chosen proto | ||||
|     msg[0] = 0x01; | ||||
|  | ||||
|     // node name, terminated by null byte | ||||
|     std::memcpy(msg.get() + name_offset, name.c_str(), name_len); | ||||
|     std::memcpy(msg.data() + name_offset, name.c_str(), name_len); | ||||
|     // node mac, terminated by null byte | ||||
|     std::memcpy(msg.get() + mac_offset, mac.c_str(), mac_len); | ||||
|     std::memcpy(msg.data() + mac_offset, mac.c_str(), mac_len); | ||||
|  | ||||
|     aerr = write_frame_(msg.get(), total_size); | ||||
|     aerr = write_frame_(msg.data(), msg.size()); | ||||
|     if (aerr != APIError::OK) | ||||
|       return aerr; | ||||
|  | ||||
| @@ -279,23 +292,24 @@ APIError APINoiseFrameHelper::state_action_() { | ||||
|     int action = noise_handshakestate_get_action(handshake_); | ||||
|     if (action == NOISE_ACTION_READ_MESSAGE) { | ||||
|       // waiting for handshake msg | ||||
|       aerr = this->try_read_frame_(); | ||||
|       std::vector<uint8_t> frame; | ||||
|       aerr = try_read_frame_(&frame); | ||||
|       if (aerr != APIError::OK) { | ||||
|         return handle_handshake_frame_error_(aerr); | ||||
|       } | ||||
|  | ||||
|       if (this->rx_buf_.empty()) { | ||||
|       if (frame.empty()) { | ||||
|         send_explicit_handshake_reject_(LOG_STR("Empty handshake message")); | ||||
|         return APIError::BAD_HANDSHAKE_ERROR_BYTE; | ||||
|       } else if (this->rx_buf_[0] != 0x00) { | ||||
|         HELPER_LOG("Bad handshake error byte: %u", this->rx_buf_[0]); | ||||
|       } else if (frame[0] != 0x00) { | ||||
|         HELPER_LOG("Bad handshake error byte: %u", frame[0]); | ||||
|         send_explicit_handshake_reject_(LOG_STR("Bad handshake error byte")); | ||||
|         return APIError::BAD_HANDSHAKE_ERROR_BYTE; | ||||
|       } | ||||
|  | ||||
|       NoiseBuffer mbuf; | ||||
|       noise_buffer_init(mbuf); | ||||
|       noise_buffer_set_input(mbuf, this->rx_buf_.data() + 1, this->rx_buf_.size() - 1); | ||||
|       noise_buffer_set_input(mbuf, frame.data() + 1, frame.size() - 1); | ||||
|       err = noise_handshakestate_read_message(handshake_, &mbuf, nullptr); | ||||
|       if (err != 0) { | ||||
|         // Special handling for MAC failure | ||||
| @@ -343,62 +357,64 @@ void APINoiseFrameHelper::send_explicit_handshake_reject_(const LogString *reaso | ||||
| #ifdef USE_STORE_LOG_STR_IN_FLASH | ||||
|   // On ESP8266 with flash strings, we need to use PROGMEM-aware functions | ||||
|   size_t reason_len = strlen_P(reinterpret_cast<PGM_P>(reason)); | ||||
|   size_t data_size = reason_len + 1; | ||||
|   auto data = std::make_unique<uint8_t[]>(data_size); | ||||
|   std::vector<uint8_t> data; | ||||
|   data.resize(reason_len + 1); | ||||
|   data[0] = 0x01;  // failure | ||||
|  | ||||
|   // Copy error message from PROGMEM | ||||
|   if (reason_len > 0) { | ||||
|     memcpy_P(data.get() + 1, reinterpret_cast<PGM_P>(reason), reason_len); | ||||
|     memcpy_P(data.data() + 1, reinterpret_cast<PGM_P>(reason), reason_len); | ||||
|   } | ||||
| #else | ||||
|   // Normal memory access | ||||
|   const char *reason_str = LOG_STR_ARG(reason); | ||||
|   size_t reason_len = strlen(reason_str); | ||||
|   size_t data_size = reason_len + 1; | ||||
|   auto data = std::make_unique<uint8_t[]>(data_size); | ||||
|   std::vector<uint8_t> data; | ||||
|   data.resize(reason_len + 1); | ||||
|   data[0] = 0x01;  // failure | ||||
|  | ||||
|   // Copy error message in bulk | ||||
|   if (reason_len > 0) { | ||||
|     std::memcpy(data.get() + 1, reason_str, reason_len); | ||||
|     std::memcpy(data.data() + 1, reason_str, reason_len); | ||||
|   } | ||||
| #endif | ||||
|  | ||||
|   // temporarily remove failed state | ||||
|   auto orig_state = state_; | ||||
|   state_ = State::EXPLICIT_REJECT; | ||||
|   write_frame_(data.get(), data_size); | ||||
|   write_frame_(data.data(), data.size()); | ||||
|   state_ = orig_state; | ||||
| } | ||||
| APIError APINoiseFrameHelper::read_packet(ReadPacketBuffer *buffer) { | ||||
|   APIError aerr = this->state_action_(); | ||||
|   int err; | ||||
|   APIError aerr; | ||||
|   aerr = state_action_(); | ||||
|   if (aerr != APIError::OK) { | ||||
|     return aerr; | ||||
|   } | ||||
|  | ||||
|   if (this->state_ != State::DATA) { | ||||
|   if (state_ != State::DATA) { | ||||
|     return APIError::WOULD_BLOCK; | ||||
|   } | ||||
|  | ||||
|   aerr = this->try_read_frame_(); | ||||
|   std::vector<uint8_t> frame; | ||||
|   aerr = try_read_frame_(&frame); | ||||
|   if (aerr != APIError::OK) | ||||
|     return aerr; | ||||
|  | ||||
|   NoiseBuffer mbuf; | ||||
|   noise_buffer_init(mbuf); | ||||
|   noise_buffer_set_inout(mbuf, this->rx_buf_.data(), this->rx_buf_.size(), this->rx_buf_.size()); | ||||
|   int err = noise_cipherstate_decrypt(this->recv_cipher_, &mbuf); | ||||
|   noise_buffer_set_inout(mbuf, frame.data(), frame.size(), frame.size()); | ||||
|   err = noise_cipherstate_decrypt(recv_cipher_, &mbuf); | ||||
|   APIError decrypt_err = | ||||
|       handle_noise_error_(err, LOG_STR("noise_cipherstate_decrypt"), APIError::CIPHERSTATE_DECRYPT_FAILED); | ||||
|   if (decrypt_err != APIError::OK) { | ||||
|   if (decrypt_err != APIError::OK) | ||||
|     return decrypt_err; | ||||
|   } | ||||
|  | ||||
|   uint16_t msg_size = mbuf.size; | ||||
|   uint8_t *msg_data = this->rx_buf_.data(); | ||||
|   uint8_t *msg_data = frame.data(); | ||||
|   if (msg_size < 4) { | ||||
|     this->state_ = State::FAILED; | ||||
|     state_ = State::FAILED; | ||||
|     HELPER_LOG("Bad data packet: size %d too short", msg_size); | ||||
|     return APIError::BAD_DATA_PACKET; | ||||
|   } | ||||
| @@ -406,12 +422,12 @@ APIError APINoiseFrameHelper::read_packet(ReadPacketBuffer *buffer) { | ||||
|   uint16_t type = (((uint16_t) msg_data[0]) << 8) | msg_data[1]; | ||||
|   uint16_t data_len = (((uint16_t) msg_data[2]) << 8) | msg_data[3]; | ||||
|   if (data_len > msg_size - 4) { | ||||
|     this->state_ = State::FAILED; | ||||
|     state_ = State::FAILED; | ||||
|     HELPER_LOG("Bad data packet: data_len %u greater than msg_size %u", data_len, msg_size); | ||||
|     return APIError::BAD_DATA_PACKET; | ||||
|   } | ||||
|  | ||||
|   buffer->container = std::move(this->rx_buf_); | ||||
|   buffer->container = std::move(frame); | ||||
|   buffer->data_offset = 4; | ||||
|   buffer->data_len = data_len; | ||||
|   buffer->type = type; | ||||
|   | ||||
| @@ -28,7 +28,7 @@ class APINoiseFrameHelper final : public APIFrameHelper { | ||||
|  | ||||
|  protected: | ||||
|   APIError state_action_(); | ||||
|   APIError try_read_frame_(); | ||||
|   APIError try_read_frame_(std::vector<uint8_t> *frame); | ||||
|   APIError write_frame_(const uint8_t *data, uint16_t len); | ||||
|   APIError init_handshake_(); | ||||
|   APIError check_handshake_finished_(); | ||||
|   | ||||
| @@ -47,16 +47,19 @@ APIError APIPlaintextFrameHelper::loop() { | ||||
|   return APIFrameHelper::loop(); | ||||
| } | ||||
|  | ||||
| /** Read a packet into the rx_buf_. | ||||
| /** Read a packet into the rx_buf_. If successful, stores frame data in the frame parameter | ||||
|  * | ||||
|  * @param frame: The struct to hold the frame information in. | ||||
|  *   msg: store the parsed frame in that struct | ||||
|  * | ||||
|  * @return See APIError | ||||
|  * | ||||
|  * error API_ERROR_BAD_INDICATOR: Bad indicator byte at start of frame. | ||||
|  */ | ||||
| APIError APIPlaintextFrameHelper::try_read_frame_() { | ||||
|   // Clear buffer when starting a new frame (rx_buf_len_ == 0 means not resuming after WOULD_BLOCK) | ||||
|   if (this->rx_buf_len_ == 0) { | ||||
|     this->rx_buf_.clear(); | ||||
| APIError APIPlaintextFrameHelper::try_read_frame_(std::vector<uint8_t> *frame) { | ||||
|   if (frame == nullptr) { | ||||
|     HELPER_LOG("Bad argument for try_read_frame_"); | ||||
|     return APIError::BAD_ARG; | ||||
|   } | ||||
|  | ||||
|   // read header | ||||
| @@ -147,9 +150,9 @@ APIError APIPlaintextFrameHelper::try_read_frame_() { | ||||
|   } | ||||
|   // header reading done | ||||
|  | ||||
|   // Reserve space for body | ||||
|   if (this->rx_buf_.size() != this->rx_header_parsed_len_) { | ||||
|     this->rx_buf_.resize(this->rx_header_parsed_len_); | ||||
|   // reserve space for body | ||||
|   if (rx_buf_.size() != rx_header_parsed_len_) { | ||||
|     rx_buf_.resize(rx_header_parsed_len_); | ||||
|   } | ||||
|  | ||||
|   if (rx_buf_len_ < rx_header_parsed_len_) { | ||||
| @@ -167,22 +170,24 @@ APIError APIPlaintextFrameHelper::try_read_frame_() { | ||||
|     } | ||||
|   } | ||||
|  | ||||
|   LOG_PACKET_RECEIVED(this->rx_buf_); | ||||
|  | ||||
|   // Clear state for next frame (rx_buf_ still contains data for caller) | ||||
|   this->rx_buf_len_ = 0; | ||||
|   this->rx_header_buf_pos_ = 0; | ||||
|   this->rx_header_parsed_ = false; | ||||
|  | ||||
|   LOG_PACKET_RECEIVED(rx_buf_); | ||||
|   *frame = std::move(rx_buf_); | ||||
|   // consume msg | ||||
|   rx_buf_ = {}; | ||||
|   rx_buf_len_ = 0; | ||||
|   rx_header_buf_pos_ = 0; | ||||
|   rx_header_parsed_ = false; | ||||
|   return APIError::OK; | ||||
| } | ||||
|  | ||||
| APIError APIPlaintextFrameHelper::read_packet(ReadPacketBuffer *buffer) { | ||||
|   if (this->state_ != State::DATA) { | ||||
|   APIError aerr; | ||||
|  | ||||
|   if (state_ != State::DATA) { | ||||
|     return APIError::WOULD_BLOCK; | ||||
|   } | ||||
|  | ||||
|   APIError aerr = this->try_read_frame_(); | ||||
|   std::vector<uint8_t> frame; | ||||
|   aerr = try_read_frame_(&frame); | ||||
|   if (aerr != APIError::OK) { | ||||
|     if (aerr == APIError::BAD_INDICATOR) { | ||||
|       // Make sure to tell the remote that we don't | ||||
| @@ -215,10 +220,10 @@ APIError APIPlaintextFrameHelper::read_packet(ReadPacketBuffer *buffer) { | ||||
|     return aerr; | ||||
|   } | ||||
|  | ||||
|   buffer->container = std::move(this->rx_buf_); | ||||
|   buffer->container = std::move(frame); | ||||
|   buffer->data_offset = 0; | ||||
|   buffer->data_len = this->rx_header_parsed_len_; | ||||
|   buffer->type = this->rx_header_parsed_type_; | ||||
|   buffer->data_len = rx_header_parsed_len_; | ||||
|   buffer->type = rx_header_parsed_type_; | ||||
|   return APIError::OK; | ||||
| } | ||||
| APIError APIPlaintextFrameHelper::write_protobuf_packet(uint8_t type, ProtoWriteBuffer buffer) { | ||||
|   | ||||
| @@ -24,7 +24,7 @@ class APIPlaintextFrameHelper final : public APIFrameHelper { | ||||
|   APIError write_protobuf_packets(ProtoWriteBuffer buffer, std::span<const PacketInfo> packets) override; | ||||
|  | ||||
|  protected: | ||||
|   APIError try_read_frame_(); | ||||
|   APIError try_read_frame_(std::vector<uint8_t> *frame); | ||||
|  | ||||
|   // Group 2-byte aligned types | ||||
|   uint16_t rx_header_parsed_type_ = 0; | ||||
|   | ||||
| @@ -64,20 +64,4 @@ extend google.protobuf.FieldOptions { | ||||
|     // This is typically done through methods returning const T& or special accessor | ||||
|     // methods like get_options() or supported_modes_for_api_(). | ||||
|     optional string container_pointer = 50001; | ||||
|  | ||||
|     // fixed_vector: Use FixedVector instead of std::vector for repeated fields | ||||
|     // When set, the repeated field will use FixedVector<T> which requires calling | ||||
|     // init(size) before adding elements. This eliminates std::vector template overhead | ||||
|     // and is ideal when the exact size is known before populating the array. | ||||
|     optional bool fixed_vector = 50013 [default=false]; | ||||
|  | ||||
|     // container_pointer_no_template: Use a non-template container type for repeated fields | ||||
|     // Similar to container_pointer, but for containers that don't take template parameters. | ||||
|     // The container type is used as-is without appending element type. | ||||
|     // The container must have: | ||||
|     // - begin() and end() methods returning iterators | ||||
|     // - empty() method | ||||
|     // Example: [(container_pointer_no_template) = "light::ColorModeMask"] | ||||
|     //   generates: const light::ColorModeMask *supported_color_modes{}; | ||||
|     optional string container_pointer_no_template = 50014; | ||||
| } | ||||
|   | ||||
| @@ -884,15 +884,6 @@ void HomeassistantActionRequest::encode(ProtoWriteBuffer buffer) const { | ||||
|     buffer.encode_message(4, it, true); | ||||
|   } | ||||
|   buffer.encode_bool(5, this->is_event); | ||||
| #ifdef USE_API_HOMEASSISTANT_ACTION_RESPONSES | ||||
|   buffer.encode_uint32(6, this->call_id); | ||||
| #endif | ||||
| #ifdef USE_API_HOMEASSISTANT_ACTION_RESPONSES_JSON | ||||
|   buffer.encode_bool(7, this->wants_response); | ||||
| #endif | ||||
| #ifdef USE_API_HOMEASSISTANT_ACTION_RESPONSES_JSON | ||||
|   buffer.encode_string(8, this->response_template); | ||||
| #endif | ||||
| } | ||||
| void HomeassistantActionRequest::calculate_size(ProtoSize &size) const { | ||||
|   size.add_length(1, this->service_ref_.size()); | ||||
| @@ -900,48 +891,6 @@ void HomeassistantActionRequest::calculate_size(ProtoSize &size) const { | ||||
|   size.add_repeated_message(1, this->data_template); | ||||
|   size.add_repeated_message(1, this->variables); | ||||
|   size.add_bool(1, this->is_event); | ||||
| #ifdef USE_API_HOMEASSISTANT_ACTION_RESPONSES | ||||
|   size.add_uint32(1, this->call_id); | ||||
| #endif | ||||
| #ifdef USE_API_HOMEASSISTANT_ACTION_RESPONSES_JSON | ||||
|   size.add_bool(1, this->wants_response); | ||||
| #endif | ||||
| #ifdef USE_API_HOMEASSISTANT_ACTION_RESPONSES_JSON | ||||
|   size.add_length(1, this->response_template.size()); | ||||
| #endif | ||||
| } | ||||
| #endif | ||||
| #ifdef USE_API_HOMEASSISTANT_ACTION_RESPONSES | ||||
| bool HomeassistantActionResponse::decode_varint(uint32_t field_id, ProtoVarInt value) { | ||||
|   switch (field_id) { | ||||
|     case 1: | ||||
|       this->call_id = value.as_uint32(); | ||||
|       break; | ||||
|     case 2: | ||||
|       this->success = value.as_bool(); | ||||
|       break; | ||||
|     default: | ||||
|       return false; | ||||
|   } | ||||
|   return true; | ||||
| } | ||||
| bool HomeassistantActionResponse::decode_length(uint32_t field_id, ProtoLengthDelimited value) { | ||||
|   switch (field_id) { | ||||
|     case 3: | ||||
|       this->error_message = value.as_string(); | ||||
|       break; | ||||
| #ifdef USE_API_HOMEASSISTANT_ACTION_RESPONSES_JSON | ||||
|     case 4: { | ||||
|       // Use raw data directly to avoid allocation | ||||
|       this->response_data = value.data(); | ||||
|       this->response_data_len = value.size(); | ||||
|       break; | ||||
|     } | ||||
| #endif | ||||
|     default: | ||||
|       return false; | ||||
|   } | ||||
|   return true; | ||||
| } | ||||
| #endif | ||||
| #ifdef USE_API_HOMEASSISTANT_STATES | ||||
| @@ -1064,17 +1013,6 @@ bool ExecuteServiceArgument::decode_32bit(uint32_t field_id, Proto32Bit value) { | ||||
|   } | ||||
|   return true; | ||||
| } | ||||
| void ExecuteServiceArgument::decode(const uint8_t *buffer, size_t length) { | ||||
|   uint32_t count_bool_array = ProtoDecodableMessage::count_repeated_field(buffer, length, 6); | ||||
|   this->bool_array.init(count_bool_array); | ||||
|   uint32_t count_int_array = ProtoDecodableMessage::count_repeated_field(buffer, length, 7); | ||||
|   this->int_array.init(count_int_array); | ||||
|   uint32_t count_float_array = ProtoDecodableMessage::count_repeated_field(buffer, length, 8); | ||||
|   this->float_array.init(count_float_array); | ||||
|   uint32_t count_string_array = ProtoDecodableMessage::count_repeated_field(buffer, length, 9); | ||||
|   this->string_array.init(count_string_array); | ||||
|   ProtoDecodableMessage::decode(buffer, length); | ||||
| } | ||||
| bool ExecuteServiceRequest::decode_length(uint32_t field_id, ProtoLengthDelimited value) { | ||||
|   switch (field_id) { | ||||
|     case 2: | ||||
| @@ -1096,11 +1034,6 @@ bool ExecuteServiceRequest::decode_32bit(uint32_t field_id, Proto32Bit value) { | ||||
|   } | ||||
|   return true; | ||||
| } | ||||
| void ExecuteServiceRequest::decode(const uint8_t *buffer, size_t length) { | ||||
|   uint32_t count_args = ProtoDecodableMessage::count_repeated_field(buffer, length, 2); | ||||
|   this->args.init(count_args); | ||||
|   ProtoDecodableMessage::decode(buffer, length); | ||||
| } | ||||
| #endif | ||||
| #ifdef USE_CAMERA | ||||
| void ListEntitiesCameraResponse::encode(ProtoWriteBuffer buffer) const { | ||||
| @@ -1201,7 +1134,6 @@ void ListEntitiesClimateResponse::encode(ProtoWriteBuffer buffer) const { | ||||
| #ifdef USE_DEVICES | ||||
|   buffer.encode_uint32(26, this->device_id); | ||||
| #endif | ||||
|   buffer.encode_uint32(27, this->feature_flags); | ||||
| } | ||||
| void ListEntitiesClimateResponse::calculate_size(ProtoSize &size) const { | ||||
|   size.add_length(1, this->object_id_ref_.size()); | ||||
| @@ -1256,7 +1188,6 @@ void ListEntitiesClimateResponse::calculate_size(ProtoSize &size) const { | ||||
| #ifdef USE_DEVICES | ||||
|   size.add_uint32(2, this->device_id); | ||||
| #endif | ||||
|   size.add_uint32(2, this->feature_flags); | ||||
| } | ||||
| void ClimateStateResponse::encode(ProtoWriteBuffer buffer) const { | ||||
|   buffer.encode_fixed32(1, this->key); | ||||
|   | ||||
| @@ -790,7 +790,7 @@ class ListEntitiesLightResponse final : public InfoResponseProtoMessage { | ||||
| #ifdef HAS_PROTO_MESSAGE_DUMP | ||||
|   const char *message_name() const override { return "list_entities_light_response"; } | ||||
| #endif | ||||
|   const light::ColorModeMask *supported_color_modes{}; | ||||
|   const std::set<light::ColorMode> *supported_color_modes{}; | ||||
|   float min_mireds{0.0f}; | ||||
|   float max_mireds{0.0f}; | ||||
|   std::vector<std::string> effects{}; | ||||
| @@ -1104,25 +1104,16 @@ class HomeassistantServiceMap final : public ProtoMessage { | ||||
| class HomeassistantActionRequest final : public ProtoMessage { | ||||
|  public: | ||||
|   static constexpr uint8_t MESSAGE_TYPE = 35; | ||||
|   static constexpr uint8_t ESTIMATED_SIZE = 128; | ||||
|   static constexpr uint8_t ESTIMATED_SIZE = 113; | ||||
| #ifdef HAS_PROTO_MESSAGE_DUMP | ||||
|   const char *message_name() const override { return "homeassistant_action_request"; } | ||||
| #endif | ||||
|   StringRef service_ref_{}; | ||||
|   void set_service(const StringRef &ref) { this->service_ref_ = ref; } | ||||
|   FixedVector<HomeassistantServiceMap> data{}; | ||||
|   FixedVector<HomeassistantServiceMap> data_template{}; | ||||
|   FixedVector<HomeassistantServiceMap> variables{}; | ||||
|   std::vector<HomeassistantServiceMap> data{}; | ||||
|   std::vector<HomeassistantServiceMap> data_template{}; | ||||
|   std::vector<HomeassistantServiceMap> variables{}; | ||||
|   bool is_event{false}; | ||||
| #ifdef USE_API_HOMEASSISTANT_ACTION_RESPONSES | ||||
|   uint32_t call_id{0}; | ||||
| #endif | ||||
| #ifdef USE_API_HOMEASSISTANT_ACTION_RESPONSES_JSON | ||||
|   bool wants_response{false}; | ||||
| #endif | ||||
| #ifdef USE_API_HOMEASSISTANT_ACTION_RESPONSES_JSON | ||||
|   std::string response_template{}; | ||||
| #endif | ||||
|   void encode(ProtoWriteBuffer buffer) const override; | ||||
|   void calculate_size(ProtoSize &size) const override; | ||||
| #ifdef HAS_PROTO_MESSAGE_DUMP | ||||
| @@ -1132,30 +1123,6 @@ class HomeassistantActionRequest final : public ProtoMessage { | ||||
|  protected: | ||||
| }; | ||||
| #endif | ||||
| #ifdef USE_API_HOMEASSISTANT_ACTION_RESPONSES | ||||
| class HomeassistantActionResponse final : public ProtoDecodableMessage { | ||||
|  public: | ||||
|   static constexpr uint8_t MESSAGE_TYPE = 130; | ||||
|   static constexpr uint8_t ESTIMATED_SIZE = 34; | ||||
| #ifdef HAS_PROTO_MESSAGE_DUMP | ||||
|   const char *message_name() const override { return "homeassistant_action_response"; } | ||||
| #endif | ||||
|   uint32_t call_id{0}; | ||||
|   bool success{false}; | ||||
|   std::string error_message{}; | ||||
| #ifdef USE_API_HOMEASSISTANT_ACTION_RESPONSES_JSON | ||||
|   const uint8_t *response_data{nullptr}; | ||||
|   uint16_t response_data_len{0}; | ||||
| #endif | ||||
| #ifdef HAS_PROTO_MESSAGE_DUMP | ||||
|   void dump_to(std::string &out) const override; | ||||
| #endif | ||||
|  | ||||
|  protected: | ||||
|   bool decode_length(uint32_t field_id, ProtoLengthDelimited value) override; | ||||
|   bool decode_varint(uint32_t field_id, ProtoVarInt value) override; | ||||
| }; | ||||
| #endif | ||||
| #ifdef USE_API_HOMEASSISTANT_STATES | ||||
| class SubscribeHomeAssistantStatesRequest final : public ProtoMessage { | ||||
|  public: | ||||
| @@ -1263,7 +1230,7 @@ class ListEntitiesServicesResponse final : public ProtoMessage { | ||||
|   StringRef name_ref_{}; | ||||
|   void set_name(const StringRef &ref) { this->name_ref_ = ref; } | ||||
|   uint32_t key{0}; | ||||
|   FixedVector<ListEntitiesServicesArgument> args{}; | ||||
|   std::vector<ListEntitiesServicesArgument> args{}; | ||||
|   void encode(ProtoWriteBuffer buffer) const override; | ||||
|   void calculate_size(ProtoSize &size) const override; | ||||
| #ifdef HAS_PROTO_MESSAGE_DUMP | ||||
| @@ -1279,11 +1246,10 @@ class ExecuteServiceArgument final : public ProtoDecodableMessage { | ||||
|   float float_{0.0f}; | ||||
|   std::string string_{}; | ||||
|   int32_t int_{0}; | ||||
|   FixedVector<bool> bool_array{}; | ||||
|   FixedVector<int32_t> int_array{}; | ||||
|   FixedVector<float> float_array{}; | ||||
|   FixedVector<std::string> string_array{}; | ||||
|   void decode(const uint8_t *buffer, size_t length) override; | ||||
|   std::vector<bool> bool_array{}; | ||||
|   std::vector<int32_t> int_array{}; | ||||
|   std::vector<float> float_array{}; | ||||
|   std::vector<std::string> string_array{}; | ||||
| #ifdef HAS_PROTO_MESSAGE_DUMP | ||||
|   void dump_to(std::string &out) const override; | ||||
| #endif | ||||
| @@ -1301,8 +1267,7 @@ class ExecuteServiceRequest final : public ProtoDecodableMessage { | ||||
|   const char *message_name() const override { return "execute_service_request"; } | ||||
| #endif | ||||
|   uint32_t key{0}; | ||||
|   FixedVector<ExecuteServiceArgument> args{}; | ||||
|   void decode(const uint8_t *buffer, size_t length) override; | ||||
|   std::vector<ExecuteServiceArgument> args{}; | ||||
| #ifdef HAS_PROTO_MESSAGE_DUMP | ||||
|   void dump_to(std::string &out) const override; | ||||
| #endif | ||||
| @@ -1371,7 +1336,7 @@ class CameraImageRequest final : public ProtoDecodableMessage { | ||||
| class ListEntitiesClimateResponse final : public InfoResponseProtoMessage { | ||||
|  public: | ||||
|   static constexpr uint8_t MESSAGE_TYPE = 46; | ||||
|   static constexpr uint8_t ESTIMATED_SIZE = 150; | ||||
|   static constexpr uint8_t ESTIMATED_SIZE = 145; | ||||
| #ifdef HAS_PROTO_MESSAGE_DUMP | ||||
|   const char *message_name() const override { return "list_entities_climate_response"; } | ||||
| #endif | ||||
| @@ -1392,7 +1357,6 @@ class ListEntitiesClimateResponse final : public InfoResponseProtoMessage { | ||||
|   bool supports_target_humidity{false}; | ||||
|   float visual_min_humidity{0.0f}; | ||||
|   float visual_max_humidity{0.0f}; | ||||
|   uint32_t feature_flags{0}; | ||||
|   void encode(ProtoWriteBuffer buffer) const override; | ||||
|   void calculate_size(ProtoSize &size) const override; | ||||
| #ifdef HAS_PROTO_MESSAGE_DUMP | ||||
| @@ -1926,7 +1890,7 @@ class BluetoothGATTCharacteristic final : public ProtoMessage { | ||||
|   std::array<uint64_t, 2> uuid{}; | ||||
|   uint32_t handle{0}; | ||||
|   uint32_t properties{0}; | ||||
|   FixedVector<BluetoothGATTDescriptor> descriptors{}; | ||||
|   std::vector<BluetoothGATTDescriptor> descriptors{}; | ||||
|   uint32_t short_uuid{0}; | ||||
|   void encode(ProtoWriteBuffer buffer) const override; | ||||
|   void calculate_size(ProtoSize &size) const override; | ||||
| @@ -1940,7 +1904,7 @@ class BluetoothGATTService final : public ProtoMessage { | ||||
|  public: | ||||
|   std::array<uint64_t, 2> uuid{}; | ||||
|   uint32_t handle{0}; | ||||
|   FixedVector<BluetoothGATTCharacteristic> characteristics{}; | ||||
|   std::vector<BluetoothGATTCharacteristic> characteristics{}; | ||||
|   uint32_t short_uuid{0}; | ||||
|   void encode(ProtoWriteBuffer buffer) const override; | ||||
|   void calculate_size(ProtoSize &size) const override; | ||||
|   | ||||
| @@ -1122,28 +1122,6 @@ void HomeassistantActionRequest::dump_to(std::string &out) const { | ||||
|     out.append("\n"); | ||||
|   } | ||||
|   dump_field(out, "is_event", this->is_event); | ||||
| #ifdef USE_API_HOMEASSISTANT_ACTION_RESPONSES | ||||
|   dump_field(out, "call_id", this->call_id); | ||||
| #endif | ||||
| #ifdef USE_API_HOMEASSISTANT_ACTION_RESPONSES_JSON | ||||
|   dump_field(out, "wants_response", this->wants_response); | ||||
| #endif | ||||
| #ifdef USE_API_HOMEASSISTANT_ACTION_RESPONSES_JSON | ||||
|   dump_field(out, "response_template", this->response_template); | ||||
| #endif | ||||
| } | ||||
| #endif | ||||
| #ifdef USE_API_HOMEASSISTANT_ACTION_RESPONSES | ||||
| void HomeassistantActionResponse::dump_to(std::string &out) const { | ||||
|   MessageDumpHelper helper(out, "HomeassistantActionResponse"); | ||||
|   dump_field(out, "call_id", this->call_id); | ||||
|   dump_field(out, "success", this->success); | ||||
|   dump_field(out, "error_message", this->error_message); | ||||
| #ifdef USE_API_HOMEASSISTANT_ACTION_RESPONSES_JSON | ||||
|   out.append("  response_data: "); | ||||
|   out.append(format_hex_pretty(this->response_data, this->response_data_len)); | ||||
|   out.append("\n"); | ||||
| #endif | ||||
| } | ||||
| #endif | ||||
| #ifdef USE_API_HOMEASSISTANT_STATES | ||||
| @@ -1292,7 +1270,6 @@ void ListEntitiesClimateResponse::dump_to(std::string &out) const { | ||||
| #ifdef USE_DEVICES | ||||
|   dump_field(out, "device_id", this->device_id); | ||||
| #endif | ||||
|   dump_field(out, "feature_flags", this->feature_flags); | ||||
| } | ||||
| void ClimateStateResponse::dump_to(std::string &out) const { | ||||
|   MessageDumpHelper helper(out, "ClimateStateResponse"); | ||||
|   | ||||
| @@ -610,17 +610,6 @@ void APIServerConnectionBase::read_message(uint32_t msg_size, uint32_t msg_type, | ||||
|       this->on_z_wave_proxy_request(msg); | ||||
|       break; | ||||
|     } | ||||
| #endif | ||||
| #ifdef USE_API_HOMEASSISTANT_ACTION_RESPONSES | ||||
|     case HomeassistantActionResponse::MESSAGE_TYPE: { | ||||
|       HomeassistantActionResponse msg; | ||||
|       msg.decode(msg_data, msg_size); | ||||
| #ifdef HAS_PROTO_MESSAGE_DUMP | ||||
|       ESP_LOGVV(TAG, "on_homeassistant_action_response: %s", msg.dump().c_str()); | ||||
| #endif | ||||
|       this->on_homeassistant_action_response(msg); | ||||
|       break; | ||||
|     } | ||||
| #endif | ||||
|     default: | ||||
|       break; | ||||
|   | ||||
| @@ -66,9 +66,6 @@ class APIServerConnectionBase : public ProtoService { | ||||
|   virtual void on_subscribe_homeassistant_services_request(const SubscribeHomeassistantServicesRequest &value){}; | ||||
| #endif | ||||
|  | ||||
| #ifdef USE_API_HOMEASSISTANT_ACTION_RESPONSES | ||||
|   virtual void on_homeassistant_action_response(const HomeassistantActionResponse &value){}; | ||||
| #endif | ||||
| #ifdef USE_API_HOMEASSISTANT_STATES | ||||
|   virtual void on_subscribe_home_assistant_states_request(const SubscribeHomeAssistantStatesRequest &value){}; | ||||
| #endif | ||||
|   | ||||
| @@ -9,16 +9,12 @@ | ||||
| #include "esphome/core/log.h" | ||||
| #include "esphome/core/util.h" | ||||
| #include "esphome/core/version.h" | ||||
| #ifdef USE_API_HOMEASSISTANT_SERVICES | ||||
| #include "homeassistant_service.h" | ||||
| #endif | ||||
|  | ||||
| #ifdef USE_LOGGER | ||||
| #include "esphome/components/logger/logger.h" | ||||
| #endif | ||||
|  | ||||
| #include <algorithm> | ||||
| #include <utility> | ||||
|  | ||||
| namespace esphome::api { | ||||
|  | ||||
| @@ -404,38 +400,7 @@ void APIServer::send_homeassistant_action(const HomeassistantActionRequest &call | ||||
|     client->send_homeassistant_action(call); | ||||
|   } | ||||
| } | ||||
| #ifdef USE_API_HOMEASSISTANT_ACTION_RESPONSES | ||||
| void APIServer::register_action_response_callback(uint32_t call_id, ActionResponseCallback callback) { | ||||
|   this->action_response_callbacks_.push_back({call_id, std::move(callback)}); | ||||
| } | ||||
|  | ||||
| void APIServer::handle_action_response(uint32_t call_id, bool success, const std::string &error_message) { | ||||
|   for (auto it = this->action_response_callbacks_.begin(); it != this->action_response_callbacks_.end(); ++it) { | ||||
|     if (it->call_id == call_id) { | ||||
|       auto callback = std::move(it->callback); | ||||
|       this->action_response_callbacks_.erase(it); | ||||
|       ActionResponse response(success, error_message); | ||||
|       callback(response); | ||||
|       return; | ||||
|     } | ||||
|   } | ||||
| } | ||||
| #ifdef USE_API_HOMEASSISTANT_ACTION_RESPONSES_JSON | ||||
| void APIServer::handle_action_response(uint32_t call_id, bool success, const std::string &error_message, | ||||
|                                        const uint8_t *response_data, size_t response_data_len) { | ||||
|   for (auto it = this->action_response_callbacks_.begin(); it != this->action_response_callbacks_.end(); ++it) { | ||||
|     if (it->call_id == call_id) { | ||||
|       auto callback = std::move(it->callback); | ||||
|       this->action_response_callbacks_.erase(it); | ||||
|       ActionResponse response(success, error_message, response_data, response_data_len); | ||||
|       callback(response); | ||||
|       return; | ||||
|     } | ||||
|   } | ||||
| } | ||||
| #endif  // USE_API_HOMEASSISTANT_ACTION_RESPONSES_JSON | ||||
| #endif  // USE_API_HOMEASSISTANT_ACTION_RESPONSES | ||||
| #endif  // USE_API_HOMEASSISTANT_SERVICES | ||||
| #endif | ||||
|  | ||||
| #ifdef USE_API_HOMEASSISTANT_STATES | ||||
| void APIServer::subscribe_home_assistant_state(std::string entity_id, optional<std::string> attribute, | ||||
|   | ||||
| @@ -16,7 +16,6 @@ | ||||
| #include "user_services.h" | ||||
| #endif | ||||
|  | ||||
| #include <map> | ||||
| #include <vector> | ||||
|  | ||||
| namespace esphome::api { | ||||
| @@ -112,17 +111,7 @@ class APIServer : public Component, public Controller { | ||||
| #ifdef USE_API_HOMEASSISTANT_SERVICES | ||||
|   void send_homeassistant_action(const HomeassistantActionRequest &call); | ||||
|  | ||||
| #ifdef USE_API_HOMEASSISTANT_ACTION_RESPONSES | ||||
|   // Action response handling | ||||
|   using ActionResponseCallback = std::function<void(const class ActionResponse &)>; | ||||
|   void register_action_response_callback(uint32_t call_id, ActionResponseCallback callback); | ||||
|   void handle_action_response(uint32_t call_id, bool success, const std::string &error_message); | ||||
| #ifdef USE_API_HOMEASSISTANT_ACTION_RESPONSES_JSON | ||||
|   void handle_action_response(uint32_t call_id, bool success, const std::string &error_message, | ||||
|                               const uint8_t *response_data, size_t response_data_len); | ||||
| #endif  // USE_API_HOMEASSISTANT_ACTION_RESPONSES_JSON | ||||
| #endif  // USE_API_HOMEASSISTANT_ACTION_RESPONSES | ||||
| #endif  // USE_API_HOMEASSISTANT_SERVICES | ||||
| #endif | ||||
| #ifdef USE_API_SERVICES | ||||
|   void register_user_service(UserServiceDescriptor *descriptor) { this->user_services_.push_back(descriptor); } | ||||
| #endif | ||||
| @@ -198,13 +187,6 @@ class APIServer : public Component, public Controller { | ||||
| #ifdef USE_API_SERVICES | ||||
|   std::vector<UserServiceDescriptor *> user_services_; | ||||
| #endif | ||||
| #ifdef USE_API_HOMEASSISTANT_ACTION_RESPONSES | ||||
|   struct PendingActionResponse { | ||||
|     uint32_t call_id; | ||||
|     ActionResponseCallback callback; | ||||
|   }; | ||||
|   std::vector<PendingActionResponse> action_response_callbacks_; | ||||
| #endif | ||||
|  | ||||
|   // Group smaller types together | ||||
|   uint16_t port_{6053}; | ||||
|   | ||||
| @@ -201,9 +201,9 @@ class CustomAPIDevice { | ||||
|   void call_homeassistant_service(const std::string &service_name, const std::map<std::string, std::string> &data) { | ||||
|     HomeassistantActionRequest resp; | ||||
|     resp.set_service(StringRef(service_name)); | ||||
|     resp.data.init(data.size()); | ||||
|     for (auto &it : data) { | ||||
|       auto &kv = resp.data.emplace_back(); | ||||
|       resp.data.emplace_back(); | ||||
|       auto &kv = resp.data.back(); | ||||
|       kv.set_key(StringRef(it.first)); | ||||
|       kv.value = it.second; | ||||
|     } | ||||
| @@ -244,9 +244,9 @@ class CustomAPIDevice { | ||||
|     HomeassistantActionRequest resp; | ||||
|     resp.set_service(StringRef(service_name)); | ||||
|     resp.is_event = true; | ||||
|     resp.data.init(data.size()); | ||||
|     for (auto &it : data) { | ||||
|       auto &kv = resp.data.emplace_back(); | ||||
|       resp.data.emplace_back(); | ||||
|       auto &kv = resp.data.back(); | ||||
|       kv.set_key(StringRef(it.first)); | ||||
|       kv.value = it.second; | ||||
|     } | ||||
|   | ||||
| @@ -3,13 +3,8 @@ | ||||
| #include "api_server.h" | ||||
| #ifdef USE_API | ||||
| #ifdef USE_API_HOMEASSISTANT_SERVICES | ||||
| #include <functional> | ||||
| #include <utility> | ||||
| #include <vector> | ||||
| #include "api_pb2.h" | ||||
| #ifdef USE_API_HOMEASSISTANT_ACTION_RESPONSES_JSON | ||||
| #include "esphome/components/json/json_util.h" | ||||
| #endif | ||||
| #include "esphome/core/automation.h" | ||||
| #include "esphome/core/helpers.h" | ||||
|  | ||||
| @@ -41,191 +36,66 @@ template<typename... X> class TemplatableStringValue : public TemplatableValue<s | ||||
|  | ||||
| template<typename... Ts> class TemplatableKeyValuePair { | ||||
|  public: | ||||
|   // Default constructor needed for FixedVector::emplace_back() | ||||
|   TemplatableKeyValuePair() = default; | ||||
|  | ||||
|   // Keys are always string literals from YAML dictionary keys (e.g., "code", "event") | ||||
|   // and never templatable values or lambdas. Only the value parameter can be a lambda/template. | ||||
|   // Using pass-by-value with std::move allows optimal performance for both lvalues and rvalues. | ||||
|   template<typename T> TemplatableKeyValuePair(std::string key, T value) : key(std::move(key)), value(value) {} | ||||
|  | ||||
|   std::string key; | ||||
|   TemplatableStringValue<Ts...> value; | ||||
| }; | ||||
|  | ||||
| #ifdef USE_API_HOMEASSISTANT_ACTION_RESPONSES | ||||
| // Represents the response data from a Home Assistant action | ||||
| class ActionResponse { | ||||
|  public: | ||||
|   ActionResponse(bool success, std::string error_message = "") | ||||
|       : success_(success), error_message_(std::move(error_message)) {} | ||||
|  | ||||
| #ifdef USE_API_HOMEASSISTANT_ACTION_RESPONSES_JSON | ||||
|   ActionResponse(bool success, std::string error_message, const uint8_t *data, size_t data_len) | ||||
|       : success_(success), error_message_(std::move(error_message)) { | ||||
|     if (data == nullptr || data_len == 0) | ||||
|       return; | ||||
|     this->json_document_ = json::parse_json(data, data_len); | ||||
|   } | ||||
| #endif | ||||
|  | ||||
|   bool is_success() const { return this->success_; } | ||||
|   const std::string &get_error_message() const { return this->error_message_; } | ||||
|  | ||||
| #ifdef USE_API_HOMEASSISTANT_ACTION_RESPONSES_JSON | ||||
|   // Get data as parsed JSON object (const version returns read-only view) | ||||
|   JsonObjectConst get_json() const { return this->json_document_.as<JsonObjectConst>(); } | ||||
| #endif | ||||
|  | ||||
|  protected: | ||||
|   bool success_; | ||||
|   std::string error_message_; | ||||
| #ifdef USE_API_HOMEASSISTANT_ACTION_RESPONSES_JSON | ||||
|   JsonDocument json_document_; | ||||
| #endif | ||||
| }; | ||||
|  | ||||
| // Callback type for action responses | ||||
| template<typename... Ts> using ActionResponseCallback = std::function<void(const ActionResponse &, Ts...)>; | ||||
| #endif | ||||
|  | ||||
| template<typename... Ts> class HomeAssistantServiceCallAction : public Action<Ts...> { | ||||
|  public: | ||||
|   explicit HomeAssistantServiceCallAction(APIServer *parent, bool is_event) : parent_(parent) { | ||||
|     this->flags_.is_event = is_event; | ||||
|   } | ||||
|   explicit HomeAssistantServiceCallAction(APIServer *parent, bool is_event) : parent_(parent), is_event_(is_event) {} | ||||
|  | ||||
|   template<typename T> void set_service(T service) { this->service_ = service; } | ||||
|  | ||||
|   // Initialize FixedVector members - called from Python codegen with compile-time known sizes. | ||||
|   // Must be called before any add_* methods; capacity must match the number of subsequent add_* calls. | ||||
|   void init_data(size_t count) { this->data_.init(count); } | ||||
|   void init_data_template(size_t count) { this->data_template_.init(count); } | ||||
|   void init_variables(size_t count) { this->variables_.init(count); } | ||||
|  | ||||
|   // Keys are always string literals from the Python code generation (e.g., cg.add(var.add_data("tag_id", templ))). | ||||
|   // The value parameter can be a lambda/template, but keys are never templatable. | ||||
|   template<typename K, typename V> void add_data(K &&key, V &&value) { | ||||
|     this->add_kv_(this->data_, std::forward<K>(key), std::forward<V>(value)); | ||||
|   // Using pass-by-value allows the compiler to optimize for both lvalues and rvalues. | ||||
|   template<typename T> void add_data(std::string key, T value) { this->data_.emplace_back(std::move(key), value); } | ||||
|   template<typename T> void add_data_template(std::string key, T value) { | ||||
|     this->data_template_.emplace_back(std::move(key), value); | ||||
|   } | ||||
|   template<typename K, typename V> void add_data_template(K &&key, V &&value) { | ||||
|     this->add_kv_(this->data_template_, std::forward<K>(key), std::forward<V>(value)); | ||||
|   template<typename T> void add_variable(std::string key, T value) { | ||||
|     this->variables_.emplace_back(std::move(key), value); | ||||
|   } | ||||
|   template<typename K, typename V> void add_variable(K &&key, V &&value) { | ||||
|     this->add_kv_(this->variables_, std::forward<K>(key), std::forward<V>(value)); | ||||
|   } | ||||
|  | ||||
| #ifdef USE_API_HOMEASSISTANT_ACTION_RESPONSES | ||||
|   template<typename T> void set_response_template(T response_template) { | ||||
|     this->response_template_ = response_template; | ||||
|     this->flags_.has_response_template = true; | ||||
|   } | ||||
|  | ||||
|   void set_wants_status() { this->flags_.wants_status = true; } | ||||
|   void set_wants_response() { this->flags_.wants_response = true; } | ||||
|  | ||||
| #ifdef USE_API_HOMEASSISTANT_ACTION_RESPONSES_JSON | ||||
|   Trigger<JsonObjectConst, Ts...> *get_success_trigger_with_response() const { | ||||
|     return this->success_trigger_with_response_; | ||||
|   } | ||||
| #endif | ||||
|   Trigger<Ts...> *get_success_trigger() const { return this->success_trigger_; } | ||||
|   Trigger<std::string, Ts...> *get_error_trigger() const { return this->error_trigger_; } | ||||
| #endif  // USE_API_HOMEASSISTANT_ACTION_RESPONSES | ||||
|  | ||||
|   void play(Ts... x) override { | ||||
|     HomeassistantActionRequest resp; | ||||
|     std::string service_value = this->service_.value(x...); | ||||
|     resp.set_service(StringRef(service_value)); | ||||
|     resp.is_event = this->flags_.is_event; | ||||
|     this->populate_service_map(resp.data, this->data_, x...); | ||||
|     this->populate_service_map(resp.data_template, this->data_template_, x...); | ||||
|     this->populate_service_map(resp.variables, this->variables_, x...); | ||||
|  | ||||
| #ifdef USE_API_HOMEASSISTANT_ACTION_RESPONSES | ||||
|     if (this->flags_.wants_status) { | ||||
|       // Generate a unique call ID for this service call | ||||
|       static uint32_t call_id_counter = 1; | ||||
|       uint32_t call_id = call_id_counter++; | ||||
|       resp.call_id = call_id; | ||||
| #ifdef USE_API_HOMEASSISTANT_ACTION_RESPONSES_JSON | ||||
|       if (this->flags_.wants_response) { | ||||
|         resp.wants_response = true; | ||||
|         // Set response template if provided | ||||
|         if (this->flags_.has_response_template) { | ||||
|           std::string response_template_value = this->response_template_.value(x...); | ||||
|           resp.response_template = response_template_value; | ||||
|         } | ||||
|       } | ||||
| #endif | ||||
|  | ||||
|       auto captured_args = std::make_tuple(x...); | ||||
|       this->parent_->register_action_response_callback(call_id, [this, captured_args](const ActionResponse &response) { | ||||
|         std::apply( | ||||
|             [this, &response](auto &&...args) { | ||||
|               if (response.is_success()) { | ||||
| #ifdef USE_API_HOMEASSISTANT_ACTION_RESPONSES_JSON | ||||
|                 if (this->flags_.wants_response) { | ||||
|                   this->success_trigger_with_response_->trigger(response.get_json(), args...); | ||||
|                 } else | ||||
| #endif | ||||
|                 { | ||||
|                   this->success_trigger_->trigger(args...); | ||||
|                 } | ||||
|               } else { | ||||
|                 this->error_trigger_->trigger(response.get_error_message(), args...); | ||||
|               } | ||||
|             }, | ||||
|             captured_args); | ||||
|       }); | ||||
|     resp.is_event = this->is_event_; | ||||
|     for (auto &it : this->data_) { | ||||
|       resp.data.emplace_back(); | ||||
|       auto &kv = resp.data.back(); | ||||
|       kv.set_key(StringRef(it.key)); | ||||
|       kv.value = it.value.value(x...); | ||||
|     } | ||||
|     for (auto &it : this->data_template_) { | ||||
|       resp.data_template.emplace_back(); | ||||
|       auto &kv = resp.data_template.back(); | ||||
|       kv.set_key(StringRef(it.key)); | ||||
|       kv.value = it.value.value(x...); | ||||
|     } | ||||
|     for (auto &it : this->variables_) { | ||||
|       resp.variables.emplace_back(); | ||||
|       auto &kv = resp.variables.back(); | ||||
|       kv.set_key(StringRef(it.key)); | ||||
|       kv.value = it.value.value(x...); | ||||
|     } | ||||
| #endif | ||||
|  | ||||
|     this->parent_->send_homeassistant_action(resp); | ||||
|   } | ||||
|  | ||||
|  protected: | ||||
|   // Helper to add key-value pairs to FixedVectors with perfect forwarding to avoid copies | ||||
|   template<typename K, typename V> void add_kv_(FixedVector<TemplatableKeyValuePair<Ts...>> &vec, K &&key, V &&value) { | ||||
|     auto &kv = vec.emplace_back(); | ||||
|     kv.key = std::forward<K>(key); | ||||
|     kv.value = std::forward<V>(value); | ||||
|   } | ||||
|  | ||||
|   template<typename VectorType, typename SourceType> | ||||
|   static void populate_service_map(VectorType &dest, SourceType &source, Ts... x) { | ||||
|     dest.init(source.size()); | ||||
|     for (auto &it : source) { | ||||
|       auto &kv = dest.emplace_back(); | ||||
|       kv.set_key(StringRef(it.key)); | ||||
|       kv.value = it.value.value(x...); | ||||
|     } | ||||
|   } | ||||
|  | ||||
|   APIServer *parent_; | ||||
|   bool is_event_; | ||||
|   TemplatableStringValue<Ts...> service_{}; | ||||
|   FixedVector<TemplatableKeyValuePair<Ts...>> data_; | ||||
|   FixedVector<TemplatableKeyValuePair<Ts...>> data_template_; | ||||
|   FixedVector<TemplatableKeyValuePair<Ts...>> variables_; | ||||
| #ifdef USE_API_HOMEASSISTANT_ACTION_RESPONSES | ||||
| #ifdef USE_API_HOMEASSISTANT_ACTION_RESPONSES_JSON | ||||
|   TemplatableStringValue<Ts...> response_template_{""}; | ||||
|   Trigger<JsonObjectConst, Ts...> *success_trigger_with_response_ = new Trigger<JsonObjectConst, Ts...>(); | ||||
| #endif  // USE_API_HOMEASSISTANT_ACTION_RESPONSES_JSON | ||||
|   Trigger<Ts...> *success_trigger_ = new Trigger<Ts...>(); | ||||
|   Trigger<std::string, Ts...> *error_trigger_ = new Trigger<std::string, Ts...>(); | ||||
| #endif  // USE_API_HOMEASSISTANT_ACTION_RESPONSES | ||||
|  | ||||
|   struct Flags { | ||||
|     uint8_t is_event : 1; | ||||
|     uint8_t wants_status : 1; | ||||
|     uint8_t wants_response : 1; | ||||
|     uint8_t has_response_template : 1; | ||||
|     uint8_t reserved : 5; | ||||
|   } flags_{0}; | ||||
|   std::vector<TemplatableKeyValuePair<Ts...>> data_; | ||||
|   std::vector<TemplatableKeyValuePair<Ts...>> data_template_; | ||||
|   std::vector<TemplatableKeyValuePair<Ts...>> variables_; | ||||
| }; | ||||
|  | ||||
| }  // namespace esphome::api | ||||
|  | ||||
| #endif | ||||
| #endif | ||||
|   | ||||
| @@ -7,69 +7,6 @@ namespace esphome::api { | ||||
|  | ||||
| static const char *const TAG = "api.proto"; | ||||
|  | ||||
| uint32_t ProtoDecodableMessage::count_repeated_field(const uint8_t *buffer, size_t length, uint32_t target_field_id) { | ||||
|   uint32_t count = 0; | ||||
|   const uint8_t *ptr = buffer; | ||||
|   const uint8_t *end = buffer + length; | ||||
|  | ||||
|   while (ptr < end) { | ||||
|     uint32_t consumed; | ||||
|  | ||||
|     // Parse field header (tag) | ||||
|     auto res = ProtoVarInt::parse(ptr, end - ptr, &consumed); | ||||
|     if (!res.has_value()) { | ||||
|       break;  // Invalid data, stop counting | ||||
|     } | ||||
|  | ||||
|     uint32_t tag = res->as_uint32(); | ||||
|     uint32_t field_type = tag & WIRE_TYPE_MASK; | ||||
|     uint32_t field_id = tag >> 3; | ||||
|     ptr += consumed; | ||||
|  | ||||
|     // Count if this is the target field | ||||
|     if (field_id == target_field_id) { | ||||
|       count++; | ||||
|     } | ||||
|  | ||||
|     // Skip field data based on wire type | ||||
|     switch (field_type) { | ||||
|       case WIRE_TYPE_VARINT: {  // VarInt - parse and skip | ||||
|         res = ProtoVarInt::parse(ptr, end - ptr, &consumed); | ||||
|         if (!res.has_value()) { | ||||
|           return count;  // Invalid data, return what we have | ||||
|         } | ||||
|         ptr += consumed; | ||||
|         break; | ||||
|       } | ||||
|       case WIRE_TYPE_LENGTH_DELIMITED: {  // Length-delimited - parse length and skip data | ||||
|         res = ProtoVarInt::parse(ptr, end - ptr, &consumed); | ||||
|         if (!res.has_value()) { | ||||
|           return count; | ||||
|         } | ||||
|         uint32_t field_length = res->as_uint32(); | ||||
|         ptr += consumed; | ||||
|         if (ptr + field_length > end) { | ||||
|           return count;  // Out of bounds | ||||
|         } | ||||
|         ptr += field_length; | ||||
|         break; | ||||
|       } | ||||
|       case WIRE_TYPE_FIXED32: {  // 32-bit - skip 4 bytes | ||||
|         if (ptr + 4 > end) { | ||||
|           return count; | ||||
|         } | ||||
|         ptr += 4; | ||||
|         break; | ||||
|       } | ||||
|       default: | ||||
|         // Unknown wire type, can't continue | ||||
|         return count; | ||||
|     } | ||||
|   } | ||||
|  | ||||
|   return count; | ||||
| } | ||||
|  | ||||
| void ProtoDecodableMessage::decode(const uint8_t *buffer, size_t length) { | ||||
|   const uint8_t *ptr = buffer; | ||||
|   const uint8_t *end = buffer + length; | ||||
| @@ -85,12 +22,12 @@ void ProtoDecodableMessage::decode(const uint8_t *buffer, size_t length) { | ||||
|     } | ||||
|  | ||||
|     uint32_t tag = res->as_uint32(); | ||||
|     uint32_t field_type = tag & WIRE_TYPE_MASK; | ||||
|     uint32_t field_type = tag & 0b111; | ||||
|     uint32_t field_id = tag >> 3; | ||||
|     ptr += consumed; | ||||
|  | ||||
|     switch (field_type) { | ||||
|       case WIRE_TYPE_VARINT: {  // VarInt | ||||
|       case 0: {  // VarInt | ||||
|         res = ProtoVarInt::parse(ptr, end - ptr, &consumed); | ||||
|         if (!res.has_value()) { | ||||
|           ESP_LOGV(TAG, "Invalid VarInt at offset %ld", (long) (ptr - buffer)); | ||||
| @@ -102,7 +39,7 @@ void ProtoDecodableMessage::decode(const uint8_t *buffer, size_t length) { | ||||
|         ptr += consumed; | ||||
|         break; | ||||
|       } | ||||
|       case WIRE_TYPE_LENGTH_DELIMITED: {  // Length-delimited | ||||
|       case 2: {  // Length-delimited | ||||
|         res = ProtoVarInt::parse(ptr, end - ptr, &consumed); | ||||
|         if (!res.has_value()) { | ||||
|           ESP_LOGV(TAG, "Invalid Length Delimited at offset %ld", (long) (ptr - buffer)); | ||||
| @@ -120,7 +57,7 @@ void ProtoDecodableMessage::decode(const uint8_t *buffer, size_t length) { | ||||
|         ptr += field_length; | ||||
|         break; | ||||
|       } | ||||
|       case WIRE_TYPE_FIXED32: {  // 32-bit | ||||
|       case 5: {  // 32-bit | ||||
|         if (ptr + 4 > end) { | ||||
|           ESP_LOGV(TAG, "Out-of-bounds Fixed32-bit at offset %ld", (long) (ptr - buffer)); | ||||
|           return; | ||||
|   | ||||
| @@ -15,13 +15,6 @@ | ||||
|  | ||||
| namespace esphome::api { | ||||
|  | ||||
| // Protocol Buffer wire type constants | ||||
| // See https://protobuf.dev/programming-guides/encoding/#structure | ||||
| constexpr uint8_t WIRE_TYPE_VARINT = 0;            // int32, int64, uint32, uint64, sint32, sint64, bool, enum | ||||
| constexpr uint8_t WIRE_TYPE_LENGTH_DELIMITED = 2;  // string, bytes, embedded messages, packed repeated fields | ||||
| constexpr uint8_t WIRE_TYPE_FIXED32 = 5;           // fixed32, sfixed32, float | ||||
| constexpr uint8_t WIRE_TYPE_MASK = 0b111;          // Mask to extract wire type from tag | ||||
|  | ||||
| // Helper functions for ZigZag encoding/decoding | ||||
| inline constexpr uint32_t encode_zigzag32(int32_t value) { | ||||
|   return (static_cast<uint32_t>(value) << 1) ^ (static_cast<uint32_t>(value >> 31)); | ||||
| @@ -248,7 +241,7 @@ class ProtoWriteBuffer { | ||||
|    * Following https://protobuf.dev/programming-guides/encoding/#structure | ||||
|    */ | ||||
|   void encode_field_raw(uint32_t field_id, uint32_t type) { | ||||
|     uint32_t val = (field_id << 3) | (type & WIRE_TYPE_MASK); | ||||
|     uint32_t val = (field_id << 3) | (type & 0b111); | ||||
|     this->encode_varint_raw(val); | ||||
|   } | ||||
|   void encode_string(uint32_t field_id, const char *string, size_t len, bool force = false) { | ||||
| @@ -361,18 +354,7 @@ class ProtoMessage { | ||||
| // Base class for messages that support decoding | ||||
| class ProtoDecodableMessage : public ProtoMessage { | ||||
|  public: | ||||
|   virtual void decode(const uint8_t *buffer, size_t length); | ||||
|  | ||||
|   /** | ||||
|    * Count occurrences of a repeated field in a protobuf buffer. | ||||
|    * This is a lightweight scan that only parses tags and skips field data. | ||||
|    * | ||||
|    * @param buffer Pointer to the protobuf buffer | ||||
|    * @param length Length of the buffer in bytes | ||||
|    * @param target_field_id The field ID to count | ||||
|    * @return Number of times the field appears in the buffer | ||||
|    */ | ||||
|   static uint32_t count_repeated_field(const uint8_t *buffer, size_t length, uint32_t target_field_id); | ||||
|   void decode(const uint8_t *buffer, size_t length); | ||||
|  | ||||
|  protected: | ||||
|   virtual bool decode_varint(uint32_t field_id, ProtoVarInt value) { return false; } | ||||
| @@ -500,7 +482,7 @@ class ProtoSize { | ||||
|    * @return The number of bytes needed to encode the field ID and wire type | ||||
|    */ | ||||
|   static constexpr uint32_t field(uint32_t field_id, uint32_t type) { | ||||
|     uint32_t tag = (field_id << 3) | (type & WIRE_TYPE_MASK); | ||||
|     uint32_t tag = (field_id << 3) | (type & 0b111); | ||||
|     return varint(tag); | ||||
|   } | ||||
|  | ||||
| @@ -767,29 +749,13 @@ class ProtoSize { | ||||
|   template<typename MessageType> | ||||
|   inline void add_repeated_message(uint32_t field_id_size, const std::vector<MessageType> &messages) { | ||||
|     // Skip if the vector is empty | ||||
|     if (!messages.empty()) { | ||||
|       // Use the force version for all messages in the repeated field | ||||
|       for (const auto &message : messages) { | ||||
|         add_message_object_force(field_id_size, message); | ||||
|       } | ||||
|     if (messages.empty()) { | ||||
|       return; | ||||
|     } | ||||
|   } | ||||
|  | ||||
|   /** | ||||
|    * @brief Calculates and adds the sizes of all messages in a repeated field to the total message size (FixedVector | ||||
|    * version) | ||||
|    * | ||||
|    * @tparam MessageType The type of the nested messages in the FixedVector | ||||
|    * @param messages FixedVector of message objects | ||||
|    */ | ||||
|   template<typename MessageType> | ||||
|   inline void add_repeated_message(uint32_t field_id_size, const FixedVector<MessageType> &messages) { | ||||
|     // Skip if the fixed vector is empty | ||||
|     if (!messages.empty()) { | ||||
|       // Use the force version for all messages in the repeated field | ||||
|       for (const auto &message : messages) { | ||||
|         add_message_object_force(field_id_size, message); | ||||
|       } | ||||
|     // Use the force version for all messages in the repeated field | ||||
|     for (const auto &message : messages) { | ||||
|       add_message_object_force(field_id_size, message); | ||||
|     } | ||||
|   } | ||||
| }; | ||||
|   | ||||
| @@ -12,16 +12,16 @@ template<> int32_t get_execute_arg_value<int32_t>(const ExecuteServiceArgument & | ||||
| template<> float get_execute_arg_value<float>(const ExecuteServiceArgument &arg) { return arg.float_; } | ||||
| template<> std::string get_execute_arg_value<std::string>(const ExecuteServiceArgument &arg) { return arg.string_; } | ||||
| template<> std::vector<bool> get_execute_arg_value<std::vector<bool>>(const ExecuteServiceArgument &arg) { | ||||
|   return std::vector<bool>(arg.bool_array.begin(), arg.bool_array.end()); | ||||
|   return arg.bool_array; | ||||
| } | ||||
| template<> std::vector<int32_t> get_execute_arg_value<std::vector<int32_t>>(const ExecuteServiceArgument &arg) { | ||||
|   return std::vector<int32_t>(arg.int_array.begin(), arg.int_array.end()); | ||||
|   return arg.int_array; | ||||
| } | ||||
| template<> std::vector<float> get_execute_arg_value<std::vector<float>>(const ExecuteServiceArgument &arg) { | ||||
|   return std::vector<float>(arg.float_array.begin(), arg.float_array.end()); | ||||
|   return arg.float_array; | ||||
| } | ||||
| template<> std::vector<std::string> get_execute_arg_value<std::vector<std::string>>(const ExecuteServiceArgument &arg) { | ||||
|   return std::vector<std::string>(arg.string_array.begin(), arg.string_array.end()); | ||||
|   return arg.string_array; | ||||
| } | ||||
|  | ||||
| template<> enums::ServiceArgType to_service_arg_type<bool>() { return enums::SERVICE_ARG_TYPE_BOOL; } | ||||
|   | ||||
| @@ -35,9 +35,9 @@ template<typename... Ts> class UserServiceBase : public UserServiceDescriptor { | ||||
|     msg.set_name(StringRef(this->name_)); | ||||
|     msg.key = this->key_; | ||||
|     std::array<enums::ServiceArgType, sizeof...(Ts)> arg_types = {to_service_arg_type<Ts>()...}; | ||||
|     msg.args.init(sizeof...(Ts)); | ||||
|     for (size_t i = 0; i < sizeof...(Ts); i++) { | ||||
|       auto &arg = msg.args.emplace_back(); | ||||
|     for (int i = 0; i < sizeof...(Ts); i++) { | ||||
|       msg.args.emplace_back(); | ||||
|       auto &arg = msg.args.back(); | ||||
|       arg.type = arg_types[i]; | ||||
|       arg.set_name(StringRef(this->arg_names_[i])); | ||||
|     } | ||||
| @@ -55,7 +55,7 @@ template<typename... Ts> class UserServiceBase : public UserServiceDescriptor { | ||||
|  | ||||
|  protected: | ||||
|   virtual void execute(Ts... x) = 0; | ||||
|   template<typename ArgsContainer, int... S> void execute_(const ArgsContainer &args, seq<S...> type) { | ||||
|   template<int... S> void execute_(const std::vector<ExecuteServiceArgument> &args, seq<S...> type) { | ||||
|     this->execute((get_execute_arg_value<Ts>(args[S]))...); | ||||
|   } | ||||
|  | ||||
|   | ||||
| @@ -165,4 +165,4 @@ def final_validate_audio_schema( | ||||
|  | ||||
|  | ||||
| async def to_code(config): | ||||
|     cg.add_library("esphome/esp-audio-libs", "2.0.1") | ||||
|     cg.add_library("esphome/esp-audio-libs", "1.1.4") | ||||
|   | ||||
| @@ -57,7 +57,7 @@ const char *audio_file_type_to_string(AudioFileType file_type) { | ||||
| void scale_audio_samples(const int16_t *audio_samples, int16_t *output_buffer, int16_t scale_factor, | ||||
|                          size_t samples_to_scale) { | ||||
|   // Note the assembly dsps_mulc function has audio glitches if the input and output buffers are the same. | ||||
|   for (size_t i = 0; i < samples_to_scale; i++) { | ||||
|   for (int i = 0; i < samples_to_scale; i++) { | ||||
|     int32_t acc = (int32_t) audio_samples[i] * (int32_t) scale_factor; | ||||
|     output_buffer[i] = (int16_t) (acc >> 15); | ||||
|   } | ||||
|   | ||||
| @@ -229,18 +229,18 @@ FileDecoderState AudioDecoder::decode_flac_() { | ||||
|     auto result = this->flac_decoder_->read_header(this->input_transfer_buffer_->get_buffer_start(), | ||||
|                                                    this->input_transfer_buffer_->available()); | ||||
|  | ||||
|     if (result > esp_audio_libs::flac::FLAC_DECODER_HEADER_OUT_OF_DATA) { | ||||
|       // Serrious error reading FLAC header, there is no recovery | ||||
|     if (result == esp_audio_libs::flac::FLAC_DECODER_HEADER_OUT_OF_DATA) { | ||||
|       return FileDecoderState::POTENTIALLY_FAILED; | ||||
|     } | ||||
|  | ||||
|     if (result != esp_audio_libs::flac::FLAC_DECODER_SUCCESS) { | ||||
|       // Couldn't read FLAC header | ||||
|       return FileDecoderState::FAILED; | ||||
|     } | ||||
|  | ||||
|     size_t bytes_consumed = this->flac_decoder_->get_bytes_index(); | ||||
|     this->input_transfer_buffer_->decrease_buffer_length(bytes_consumed); | ||||
|  | ||||
|     if (result == esp_audio_libs::flac::FLAC_DECODER_HEADER_OUT_OF_DATA) { | ||||
|       return FileDecoderState::MORE_TO_PROCESS; | ||||
|     } | ||||
|  | ||||
|     // Reallocate the output transfer buffer to the smallest necessary size | ||||
|     this->free_buffer_required_ = flac_decoder_->get_output_buffer_size_bytes(); | ||||
|     if (!this->output_transfer_buffer_->reallocate(this->free_buffer_required_)) { | ||||
| @@ -256,9 +256,9 @@ FileDecoderState AudioDecoder::decode_flac_() { | ||||
|   } | ||||
|  | ||||
|   uint32_t output_samples = 0; | ||||
|   auto result = this->flac_decoder_->decode_frame(this->input_transfer_buffer_->get_buffer_start(), | ||||
|                                                   this->input_transfer_buffer_->available(), | ||||
|                                                   this->output_transfer_buffer_->get_buffer_end(), &output_samples); | ||||
|   auto result = this->flac_decoder_->decode_frame( | ||||
|       this->input_transfer_buffer_->get_buffer_start(), this->input_transfer_buffer_->available(), | ||||
|       reinterpret_cast<int16_t *>(this->output_transfer_buffer_->get_buffer_end()), &output_samples); | ||||
|  | ||||
|   if (result == esp_audio_libs::flac::FLAC_DECODER_ERROR_OUT_OF_DATA) { | ||||
|     // Not an issue, just needs more data that we'll get next time. | ||||
|   | ||||
| @@ -6,9 +6,6 @@ namespace bang_bang { | ||||
|  | ||||
| static const char *const TAG = "bang_bang.climate"; | ||||
|  | ||||
| BangBangClimate::BangBangClimate() | ||||
|     : idle_trigger_(new Trigger<>()), cool_trigger_(new Trigger<>()), heat_trigger_(new Trigger<>()) {} | ||||
|  | ||||
| void BangBangClimate::setup() { | ||||
|   this->sensor_->add_on_state_callback([this](float state) { | ||||
|     this->current_temperature = state; | ||||
| @@ -34,63 +31,53 @@ void BangBangClimate::setup() { | ||||
|     restore->to_call(this).perform(); | ||||
|   } else { | ||||
|     // restore from defaults, change_away handles those for us | ||||
|     if (this->supports_cool_ && this->supports_heat_) { | ||||
|     if (supports_cool_ && supports_heat_) { | ||||
|       this->mode = climate::CLIMATE_MODE_HEAT_COOL; | ||||
|     } else if (this->supports_cool_) { | ||||
|     } else if (supports_cool_) { | ||||
|       this->mode = climate::CLIMATE_MODE_COOL; | ||||
|     } else if (this->supports_heat_) { | ||||
|     } else if (supports_heat_) { | ||||
|       this->mode = climate::CLIMATE_MODE_HEAT; | ||||
|     } | ||||
|     this->change_away_(false); | ||||
|   } | ||||
| } | ||||
|  | ||||
| void BangBangClimate::control(const climate::ClimateCall &call) { | ||||
|   if (call.get_mode().has_value()) { | ||||
|   if (call.get_mode().has_value()) | ||||
|     this->mode = *call.get_mode(); | ||||
|   } | ||||
|   if (call.get_target_temperature_low().has_value()) { | ||||
|   if (call.get_target_temperature_low().has_value()) | ||||
|     this->target_temperature_low = *call.get_target_temperature_low(); | ||||
|   } | ||||
|   if (call.get_target_temperature_high().has_value()) { | ||||
|   if (call.get_target_temperature_high().has_value()) | ||||
|     this->target_temperature_high = *call.get_target_temperature_high(); | ||||
|   } | ||||
|   if (call.get_preset().has_value()) { | ||||
|   if (call.get_preset().has_value()) | ||||
|     this->change_away_(*call.get_preset() == climate::CLIMATE_PRESET_AWAY); | ||||
|   } | ||||
|  | ||||
|   this->compute_state_(); | ||||
|   this->publish_state(); | ||||
| } | ||||
|  | ||||
| climate::ClimateTraits BangBangClimate::traits() { | ||||
|   auto traits = climate::ClimateTraits(); | ||||
|   traits.add_feature_flags(climate::CLIMATE_SUPPORTS_CURRENT_TEMPERATURE | | ||||
|                            climate::CLIMATE_REQUIRES_TWO_POINT_TARGET_TEMPERATURE | climate::CLIMATE_SUPPORTS_ACTION); | ||||
|   if (this->humidity_sensor_ != nullptr) { | ||||
|     traits.add_feature_flags(climate::CLIMATE_SUPPORTS_CURRENT_HUMIDITY); | ||||
|   } | ||||
|   traits.set_supports_current_temperature(true); | ||||
|   if (this->humidity_sensor_ != nullptr) | ||||
|     traits.set_supports_current_humidity(true); | ||||
|   traits.set_supported_modes({ | ||||
|       climate::CLIMATE_MODE_OFF, | ||||
|   }); | ||||
|   if (this->supports_cool_) { | ||||
|   if (supports_cool_) | ||||
|     traits.add_supported_mode(climate::CLIMATE_MODE_COOL); | ||||
|   } | ||||
|   if (this->supports_heat_) { | ||||
|   if (supports_heat_) | ||||
|     traits.add_supported_mode(climate::CLIMATE_MODE_HEAT); | ||||
|   } | ||||
|   if (this->supports_cool_ && this->supports_heat_) { | ||||
|   if (supports_cool_ && supports_heat_) | ||||
|     traits.add_supported_mode(climate::CLIMATE_MODE_HEAT_COOL); | ||||
|   } | ||||
|   if (this->supports_away_) { | ||||
|   traits.set_supports_two_point_target_temperature(true); | ||||
|   if (supports_away_) { | ||||
|     traits.set_supported_presets({ | ||||
|         climate::CLIMATE_PRESET_HOME, | ||||
|         climate::CLIMATE_PRESET_AWAY, | ||||
|     }); | ||||
|   } | ||||
|   traits.set_supports_action(true); | ||||
|   return traits; | ||||
| } | ||||
|  | ||||
| void BangBangClimate::compute_state_() { | ||||
|   if (this->mode == climate::CLIMATE_MODE_OFF) { | ||||
|     this->switch_to_action_(climate::CLIMATE_ACTION_OFF); | ||||
| @@ -135,7 +122,6 @@ void BangBangClimate::compute_state_() { | ||||
|  | ||||
|   this->switch_to_action_(target_action); | ||||
| } | ||||
|  | ||||
| void BangBangClimate::switch_to_action_(climate::ClimateAction action) { | ||||
|   if (action == this->action) { | ||||
|     // already in target mode | ||||
| @@ -180,7 +166,6 @@ void BangBangClimate::switch_to_action_(climate::ClimateAction action) { | ||||
|   this->prev_trigger_ = trig; | ||||
|   this->publish_state(); | ||||
| } | ||||
|  | ||||
| void BangBangClimate::change_away_(bool away) { | ||||
|   if (!away) { | ||||
|     this->target_temperature_low = this->normal_config_.default_temperature_low; | ||||
| @@ -191,26 +176,22 @@ void BangBangClimate::change_away_(bool away) { | ||||
|   } | ||||
|   this->preset = away ? climate::CLIMATE_PRESET_AWAY : climate::CLIMATE_PRESET_HOME; | ||||
| } | ||||
|  | ||||
| void BangBangClimate::set_normal_config(const BangBangClimateTargetTempConfig &normal_config) { | ||||
|   this->normal_config_ = normal_config; | ||||
| } | ||||
|  | ||||
| void BangBangClimate::set_away_config(const BangBangClimateTargetTempConfig &away_config) { | ||||
|   this->supports_away_ = true; | ||||
|   this->away_config_ = away_config; | ||||
| } | ||||
|  | ||||
| BangBangClimate::BangBangClimate() | ||||
|     : idle_trigger_(new Trigger<>()), cool_trigger_(new Trigger<>()), heat_trigger_(new Trigger<>()) {} | ||||
| void BangBangClimate::set_sensor(sensor::Sensor *sensor) { this->sensor_ = sensor; } | ||||
| void BangBangClimate::set_humidity_sensor(sensor::Sensor *humidity_sensor) { this->humidity_sensor_ = humidity_sensor; } | ||||
|  | ||||
| Trigger<> *BangBangClimate::get_idle_trigger() const { return this->idle_trigger_; } | ||||
| Trigger<> *BangBangClimate::get_cool_trigger() const { return this->cool_trigger_; } | ||||
| Trigger<> *BangBangClimate::get_heat_trigger() const { return this->heat_trigger_; } | ||||
|  | ||||
| void BangBangClimate::set_supports_cool(bool supports_cool) { this->supports_cool_ = supports_cool; } | ||||
| Trigger<> *BangBangClimate::get_heat_trigger() const { return this->heat_trigger_; } | ||||
| void BangBangClimate::set_supports_heat(bool supports_heat) { this->supports_heat_ = supports_heat; } | ||||
|  | ||||
| void BangBangClimate::dump_config() { | ||||
|   LOG_CLIMATE("", "Bang Bang Climate", this); | ||||
|   ESP_LOGCONFIG(TAG, | ||||
|   | ||||
| @@ -25,15 +25,14 @@ class BangBangClimate : public climate::Climate, public Component { | ||||
|  | ||||
|   void set_sensor(sensor::Sensor *sensor); | ||||
|   void set_humidity_sensor(sensor::Sensor *humidity_sensor); | ||||
|   Trigger<> *get_idle_trigger() const; | ||||
|   Trigger<> *get_cool_trigger() const; | ||||
|   void set_supports_cool(bool supports_cool); | ||||
|   Trigger<> *get_heat_trigger() const; | ||||
|   void set_supports_heat(bool supports_heat); | ||||
|   void set_normal_config(const BangBangClimateTargetTempConfig &normal_config); | ||||
|   void set_away_config(const BangBangClimateTargetTempConfig &away_config); | ||||
|  | ||||
|   Trigger<> *get_idle_trigger() const; | ||||
|   Trigger<> *get_cool_trigger() const; | ||||
|   Trigger<> *get_heat_trigger() const; | ||||
|  | ||||
|  protected: | ||||
|   /// Override control to change settings of the climate device. | ||||
|   void control(const climate::ClimateCall &call) override; | ||||
| @@ -57,10 +56,16 @@ class BangBangClimate : public climate::Climate, public Component { | ||||
|    * | ||||
|    * In idle mode, the controller is assumed to have both heating and cooling disabled. | ||||
|    */ | ||||
|   Trigger<> *idle_trigger_{nullptr}; | ||||
|   Trigger<> *idle_trigger_; | ||||
|   /** The trigger to call when the controller should switch to cooling mode. | ||||
|    */ | ||||
|   Trigger<> *cool_trigger_{nullptr}; | ||||
|   Trigger<> *cool_trigger_; | ||||
|   /** Whether the controller supports cooling. | ||||
|    * | ||||
|    * A false value for this attribute means that the controller has no cooling action | ||||
|    * (for example a thermostat, where only heating and not-heating is possible). | ||||
|    */ | ||||
|   bool supports_cool_{false}; | ||||
|   /** The trigger to call when the controller should switch to heating mode. | ||||
|    * | ||||
|    * A null value for this attribute means that the controller has no heating action | ||||
| @@ -68,23 +73,15 @@ class BangBangClimate : public climate::Climate, public Component { | ||||
|    * (blinds open) is possible. | ||||
|    */ | ||||
|   Trigger<> *heat_trigger_{nullptr}; | ||||
|   bool supports_heat_{false}; | ||||
|   /** A reference to the trigger that was previously active. | ||||
|    * | ||||
|    * This is so that the previous trigger can be stopped before enabling a new one. | ||||
|    */ | ||||
|   Trigger<> *prev_trigger_{nullptr}; | ||||
|  | ||||
|   /** Whether the controller supports cooling/heating | ||||
|    * | ||||
|    * A false value for this attribute means that the controller has no respective action | ||||
|    * (for example a thermostat, where only heating and not-heating is possible). | ||||
|    */ | ||||
|   bool supports_cool_{false}; | ||||
|   bool supports_heat_{false}; | ||||
|  | ||||
|   bool supports_away_{false}; | ||||
|  | ||||
|   BangBangClimateTargetTempConfig normal_config_{}; | ||||
|   bool supports_away_{false}; | ||||
|   BangBangClimateTargetTempConfig away_config_{}; | ||||
| }; | ||||
|  | ||||
|   | ||||
| @@ -33,7 +33,8 @@ class BedJetClimate : public climate::Climate, public BedJetClient, public Polli | ||||
|  | ||||
|   climate::ClimateTraits traits() override { | ||||
|     auto traits = climate::ClimateTraits(); | ||||
|     traits.add_feature_flags(climate::CLIMATE_SUPPORTS_ACTION | climate::CLIMATE_SUPPORTS_CURRENT_TEMPERATURE); | ||||
|     traits.set_supports_action(true); | ||||
|     traits.set_supports_current_temperature(true); | ||||
|     traits.set_supported_modes({ | ||||
|         climate::CLIMATE_MODE_OFF, | ||||
|         climate::CLIMATE_MODE_HEAT, | ||||
|   | ||||
| @@ -1,54 +0,0 @@ | ||||
| #include "esphome/core/log.h" | ||||
| #include "bh1900nux.h" | ||||
|  | ||||
| namespace esphome { | ||||
| namespace bh1900nux { | ||||
|  | ||||
| static const char *const TAG = "bh1900nux.sensor"; | ||||
|  | ||||
| // I2C Registers | ||||
| static const uint8_t TEMPERATURE_REG = 0x00; | ||||
| static const uint8_t CONFIG_REG = 0x01;            // Not used and supported yet | ||||
| static const uint8_t TEMPERATURE_LOW_REG = 0x02;   // Not used and supported yet | ||||
| static const uint8_t TEMPERATURE_HIGH_REG = 0x03;  // Not used and supported yet | ||||
| static const uint8_t SOFT_RESET_REG = 0x04; | ||||
|  | ||||
| // I2C Command payloads | ||||
| static const uint8_t SOFT_RESET_PAYLOAD = 0x01;  // Soft Reset value | ||||
|  | ||||
| static const float SENSOR_RESOLUTION = 0.0625f;  // Sensor resolution per bit in degrees celsius | ||||
|  | ||||
| void BH1900NUXSensor::setup() { | ||||
|   // Initialize I2C device | ||||
|   i2c::ErrorCode result_code = | ||||
|       this->write_register(SOFT_RESET_REG, &SOFT_RESET_PAYLOAD, 1);  // Software Reset to check communication | ||||
|   if (result_code != i2c::ERROR_OK) { | ||||
|     this->mark_failed(ESP_LOG_MSG_COMM_FAIL); | ||||
|     return; | ||||
|   } | ||||
| } | ||||
|  | ||||
| void BH1900NUXSensor::update() { | ||||
|   uint8_t temperature_raw[2]; | ||||
|   if (this->read_register(TEMPERATURE_REG, temperature_raw, 2) != i2c::ERROR_OK) { | ||||
|     ESP_LOGE(TAG, ESP_LOG_MSG_COMM_FAIL); | ||||
|     return; | ||||
|   } | ||||
|  | ||||
|   // Combined raw value, unsigned and unaligned 16 bit | ||||
|   // Temperature is represented in just 12 bits, shift needed | ||||
|   int16_t raw_temperature_register_value = encode_uint16(temperature_raw[0], temperature_raw[1]); | ||||
|   raw_temperature_register_value >>= 4; | ||||
|   float temperature_value = raw_temperature_register_value * SENSOR_RESOLUTION;  // Apply sensor resolution | ||||
|  | ||||
|   this->publish_state(temperature_value); | ||||
| } | ||||
|  | ||||
| void BH1900NUXSensor::dump_config() { | ||||
|   LOG_SENSOR("", "BH1900NUX", this); | ||||
|   LOG_I2C_DEVICE(this); | ||||
|   LOG_UPDATE_INTERVAL(this); | ||||
| } | ||||
|  | ||||
| }  // namespace bh1900nux | ||||
| }  // namespace esphome | ||||
| @@ -1,18 +0,0 @@ | ||||
| #pragma once | ||||
|  | ||||
| #include "esphome/core/component.h" | ||||
| #include "esphome/components/sensor/sensor.h" | ||||
| #include "esphome/components/i2c/i2c.h" | ||||
|  | ||||
| namespace esphome { | ||||
| namespace bh1900nux { | ||||
|  | ||||
| class BH1900NUXSensor : public sensor::Sensor, public PollingComponent, public i2c::I2CDevice { | ||||
|  public: | ||||
|   void setup() override; | ||||
|   void update() override; | ||||
|   void dump_config() override; | ||||
| }; | ||||
|  | ||||
| }  // namespace bh1900nux | ||||
| }  // namespace esphome | ||||
| @@ -1,34 +0,0 @@ | ||||
| import esphome.codegen as cg | ||||
| from esphome.components import i2c, sensor | ||||
| import esphome.config_validation as cv | ||||
| from esphome.const import ( | ||||
|     DEVICE_CLASS_TEMPERATURE, | ||||
|     STATE_CLASS_MEASUREMENT, | ||||
|     UNIT_CELSIUS, | ||||
| ) | ||||
|  | ||||
| DEPENDENCIES = ["i2c"] | ||||
| CODEOWNERS = ["@B48D81EFCC"] | ||||
|  | ||||
| sensor_ns = cg.esphome_ns.namespace("bh1900nux") | ||||
| BH1900NUXSensor = sensor_ns.class_( | ||||
|     "BH1900NUXSensor", cg.PollingComponent, i2c.I2CDevice | ||||
| ) | ||||
|  | ||||
| CONFIG_SCHEMA = ( | ||||
|     sensor.sensor_schema( | ||||
|         BH1900NUXSensor, | ||||
|         accuracy_decimals=1, | ||||
|         unit_of_measurement=UNIT_CELSIUS, | ||||
|         device_class=DEVICE_CLASS_TEMPERATURE, | ||||
|         state_class=STATE_CLASS_MEASUREMENT, | ||||
|     ) | ||||
|     .extend(cv.polling_component_schema("60s")) | ||||
|     .extend(i2c.i2c_device_schema(0x48)) | ||||
| ) | ||||
|  | ||||
|  | ||||
| async def to_code(config): | ||||
|     var = await sensor.new_sensor(config) | ||||
|     await cg.register_component(var, config) | ||||
|     await i2c.register_i2c_device(var, config) | ||||
| @@ -51,7 +51,7 @@ void BinarySensor::add_filter(Filter *filter) { | ||||
|     last_filter->next_ = filter; | ||||
|   } | ||||
| } | ||||
| void BinarySensor::add_filters(std::initializer_list<Filter *> filters) { | ||||
| void BinarySensor::add_filters(const std::vector<Filter *> &filters) { | ||||
|   for (Filter *filter : filters) { | ||||
|     this->add_filter(filter); | ||||
|   } | ||||
|   | ||||
| @@ -4,7 +4,7 @@ | ||||
| #include "esphome/core/helpers.h" | ||||
| #include "esphome/components/binary_sensor/filter.h" | ||||
|  | ||||
| #include <initializer_list> | ||||
| #include <vector> | ||||
|  | ||||
| namespace esphome { | ||||
|  | ||||
| @@ -48,7 +48,7 @@ class BinarySensor : public StatefulEntityBase<bool>, public EntityBase_DeviceCl | ||||
|   void publish_initial_state(bool new_state); | ||||
|  | ||||
|   void add_filter(Filter *filter); | ||||
|   void add_filters(std::initializer_list<Filter *> filters); | ||||
|   void add_filters(const std::vector<Filter *> &filters); | ||||
|  | ||||
|   // ========== INTERNAL METHODS ========== | ||||
|   // (In most use cases you won't need these) | ||||
|   | ||||
| @@ -97,10 +97,10 @@ void BL0906::handle_actions_() { | ||||
|     return; | ||||
|   } | ||||
|   ActionCallbackFuncPtr ptr_func = nullptr; | ||||
|   for (size_t i = 0; i < this->action_queue_.size(); i++) { | ||||
|   for (int i = 0; i < this->action_queue_.size(); i++) { | ||||
|     ptr_func = this->action_queue_[i]; | ||||
|     if (ptr_func) { | ||||
|       ESP_LOGI(TAG, "HandleActionCallback[%zu]", i); | ||||
|       ESP_LOGI(TAG, "HandleActionCallback[%d]", i); | ||||
|       (this->*ptr_func)(); | ||||
|     } | ||||
|   } | ||||
|   | ||||
| @@ -51,7 +51,7 @@ void BL0942::loop() { | ||||
|   if (!avail) { | ||||
|     return; | ||||
|   } | ||||
|   if (static_cast<size_t>(avail) < sizeof(buffer)) { | ||||
|   if (avail < sizeof(buffer)) { | ||||
|     if (!this->rx_start_) { | ||||
|       this->rx_start_ = millis(); | ||||
|     } else if (millis() > this->rx_start_ + PKT_TIMEOUT_MS) { | ||||
| @@ -148,7 +148,7 @@ void BL0942::setup() { | ||||
|  | ||||
|   this->write_reg_(BL0942_REG_USR_WRPROT, 0); | ||||
|  | ||||
|   if (static_cast<uint32_t>(this->read_reg_(BL0942_REG_MODE)) != mode) | ||||
|   if (this->read_reg_(BL0942_REG_MODE) != mode) | ||||
|     this->status_set_warning(LOG_STR("BL0942 setup failed!")); | ||||
|  | ||||
|   this->flush(); | ||||
|   | ||||
| @@ -116,7 +116,7 @@ CONFIG_SCHEMA = cv.All( | ||||
|     ) | ||||
|     .extend(cv.COMPONENT_SCHEMA) | ||||
|     .extend(esp32_ble_tracker.ESP_BLE_DEVICE_SCHEMA), | ||||
|     esp32_ble.consume_connection_slots(1, "ble_client"), | ||||
|     esp32_ble_tracker.consume_connection_slots(1, "ble_client"), | ||||
| ) | ||||
|  | ||||
| CONF_BLE_CLIENT_ID = "ble_client_id" | ||||
|   | ||||
| @@ -1,29 +0,0 @@ | ||||
| import esphome.codegen as cg | ||||
| from esphome.components.zephyr import zephyr_add_prj_conf | ||||
| import esphome.config_validation as cv | ||||
| from esphome.const import CONF_ID, CONF_LOGS, CONF_TYPE | ||||
|  | ||||
| AUTO_LOAD = ["zephyr_ble_server"] | ||||
| CODEOWNERS = ["@tomaszduda23"] | ||||
|  | ||||
| ble_nus_ns = cg.esphome_ns.namespace("ble_nus") | ||||
| BLENUS = ble_nus_ns.class_("BLENUS", cg.Component) | ||||
|  | ||||
| CONFIG_SCHEMA = cv.All( | ||||
|     cv.Schema( | ||||
|         { | ||||
|             cv.GenerateID(): cv.declare_id(BLENUS), | ||||
|             cv.Optional(CONF_TYPE, default=CONF_LOGS): cv.one_of( | ||||
|                 *[CONF_LOGS], lower=True | ||||
|             ), | ||||
|         } | ||||
|     ).extend(cv.COMPONENT_SCHEMA), | ||||
|     cv.only_with_framework("zephyr"), | ||||
| ) | ||||
|  | ||||
|  | ||||
| async def to_code(config): | ||||
|     var = cg.new_Pvariable(config[CONF_ID]) | ||||
|     zephyr_add_prj_conf("BT_NUS", True) | ||||
|     cg.add(var.set_expose_log(config[CONF_TYPE] == CONF_LOGS)) | ||||
|     await cg.register_component(var, config) | ||||
| @@ -1,157 +0,0 @@ | ||||
| #ifdef USE_ZEPHYR | ||||
| #include "ble_nus.h" | ||||
| #include <zephyr/kernel.h> | ||||
| #include <bluetooth/services/nus.h> | ||||
| #include "esphome/core/log.h" | ||||
| #ifdef USE_LOGGER | ||||
| #include "esphome/components/logger/logger.h" | ||||
| #include "esphome/core/application.h" | ||||
| #endif | ||||
| #include <zephyr/sys/ring_buffer.h> | ||||
|  | ||||
| namespace esphome::ble_nus { | ||||
|  | ||||
| constexpr size_t BLE_TX_BUF_SIZE = 2048; | ||||
|  | ||||
| // NOLINTBEGIN(cppcoreguidelines-avoid-non-const-global-variables) | ||||
| BLENUS *global_ble_nus; | ||||
| RING_BUF_DECLARE(global_ble_tx_ring_buf, BLE_TX_BUF_SIZE); | ||||
| // NOLINTEND(cppcoreguidelines-avoid-non-const-global-variables) | ||||
|  | ||||
| static const char *const TAG = "ble_nus"; | ||||
|  | ||||
| size_t BLENUS::write_array(const uint8_t *data, size_t len) { | ||||
|   if (atomic_get(&this->tx_status_) == TX_DISABLED) { | ||||
|     return 0; | ||||
|   } | ||||
|   return ring_buf_put(&global_ble_tx_ring_buf, data, len); | ||||
| } | ||||
|  | ||||
| void BLENUS::connected(bt_conn *conn, uint8_t err) { | ||||
|   if (err == 0) { | ||||
|     global_ble_nus->conn_.store(bt_conn_ref(conn)); | ||||
|   } | ||||
| } | ||||
|  | ||||
| void BLENUS::disconnected(bt_conn *conn, uint8_t reason) { | ||||
|   if (global_ble_nus->conn_) { | ||||
|     bt_conn_unref(global_ble_nus->conn_.load()); | ||||
|     // Connection array is global static. | ||||
|     // Reference can be kept even if disconnected. | ||||
|   } | ||||
| } | ||||
|  | ||||
| void BLENUS::tx_callback(bt_conn *conn) { | ||||
|   atomic_cas(&global_ble_nus->tx_status_, TX_BUSY, TX_ENABLED); | ||||
|   ESP_LOGVV(TAG, "Sent operation completed"); | ||||
| } | ||||
|  | ||||
| void BLENUS::send_enabled_callback(bt_nus_send_status status) { | ||||
|   switch (status) { | ||||
|     case BT_NUS_SEND_STATUS_ENABLED: | ||||
|       atomic_set(&global_ble_nus->tx_status_, TX_ENABLED); | ||||
| #ifdef USE_LOGGER | ||||
|       if (global_ble_nus->expose_log_) { | ||||
|         App.schedule_dump_config(); | ||||
|       } | ||||
| #endif | ||||
|       ESP_LOGD(TAG, "NUS notification has been enabled"); | ||||
|       break; | ||||
|     case BT_NUS_SEND_STATUS_DISABLED: | ||||
|       atomic_set(&global_ble_nus->tx_status_, TX_DISABLED); | ||||
|       ESP_LOGD(TAG, "NUS notification has been disabled"); | ||||
|       break; | ||||
|   } | ||||
| } | ||||
|  | ||||
| void BLENUS::rx_callback(bt_conn *conn, const uint8_t *const data, uint16_t len) { | ||||
|   ESP_LOGD(TAG, "Received %d bytes.", len); | ||||
| } | ||||
|  | ||||
| void BLENUS::setup() { | ||||
|   bt_nus_cb callbacks = { | ||||
|       .received = rx_callback, | ||||
|       .sent = tx_callback, | ||||
|       .send_enabled = send_enabled_callback, | ||||
|   }; | ||||
|  | ||||
|   bt_nus_init(&callbacks); | ||||
|  | ||||
|   static bt_conn_cb conn_callbacks = { | ||||
|       .connected = BLENUS::connected, | ||||
|       .disconnected = BLENUS::disconnected, | ||||
|   }; | ||||
|  | ||||
|   bt_conn_cb_register(&conn_callbacks); | ||||
|  | ||||
|   global_ble_nus = this; | ||||
| #ifdef USE_LOGGER | ||||
|   if (logger::global_logger != nullptr && this->expose_log_) { | ||||
|     logger::global_logger->add_on_log_callback( | ||||
|         [this](int level, const char *tag, const char *message, size_t message_len) { | ||||
|           this->write_array(reinterpret_cast<const uint8_t *>(message), message_len); | ||||
|           const char c = '\n'; | ||||
|           this->write_array(reinterpret_cast<const uint8_t *>(&c), 1); | ||||
|         }); | ||||
|   } | ||||
|  | ||||
| #endif | ||||
| } | ||||
|  | ||||
| void BLENUS::dump_config() { | ||||
|   ESP_LOGCONFIG(TAG, "ble nus:"); | ||||
|   ESP_LOGCONFIG(TAG, "  log: %s", YESNO(this->expose_log_)); | ||||
|   uint32_t mtu = 0; | ||||
|   bt_conn *conn = this->conn_.load(); | ||||
|   if (conn) { | ||||
|     mtu = bt_nus_get_mtu(conn); | ||||
|   } | ||||
|   ESP_LOGCONFIG(TAG, "  MTU: %u", mtu); | ||||
| } | ||||
|  | ||||
| void BLENUS::loop() { | ||||
|   if (ring_buf_is_empty(&global_ble_tx_ring_buf)) { | ||||
|     return; | ||||
|   } | ||||
|  | ||||
|   if (!atomic_cas(&this->tx_status_, TX_ENABLED, TX_BUSY)) { | ||||
|     if (atomic_get(&this->tx_status_) == TX_DISABLED) { | ||||
|       ring_buf_reset(&global_ble_tx_ring_buf); | ||||
|     } | ||||
|     return; | ||||
|   } | ||||
|  | ||||
|   bt_conn *conn = this->conn_.load(); | ||||
|   if (conn) { | ||||
|     conn = bt_conn_ref(conn); | ||||
|   } | ||||
|  | ||||
|   if (nullptr == conn) { | ||||
|     atomic_cas(&this->tx_status_, TX_BUSY, TX_ENABLED); | ||||
|     return; | ||||
|   } | ||||
|  | ||||
|   uint32_t req_len = bt_nus_get_mtu(conn); | ||||
|  | ||||
|   uint8_t *buf; | ||||
|   uint32_t size = ring_buf_get_claim(&global_ble_tx_ring_buf, &buf, req_len); | ||||
|  | ||||
|   int err, err2; | ||||
|  | ||||
|   err = bt_nus_send(conn, buf, size); | ||||
|   err2 = ring_buf_get_finish(&global_ble_tx_ring_buf, size); | ||||
|   if (err2) { | ||||
|     // It should no happen. | ||||
|     ESP_LOGE(TAG, "Size %u exceeds valid bytes in the ring buffer (%d error)", size, err2); | ||||
|   } | ||||
|   if (err == 0) { | ||||
|     ESP_LOGVV(TAG, "Sent %d bytes", size); | ||||
|   } else { | ||||
|     ESP_LOGE(TAG, "Failed to send %d bytes (%d error)", size, err); | ||||
|     atomic_cas(&this->tx_status_, TX_BUSY, TX_ENABLED); | ||||
|   } | ||||
|   bt_conn_unref(conn); | ||||
| } | ||||
|  | ||||
| }  // namespace esphome::ble_nus | ||||
| #endif | ||||
| @@ -1,37 +0,0 @@ | ||||
| #pragma once | ||||
| #ifdef USE_ZEPHYR | ||||
| #include "esphome/core/defines.h" | ||||
| #include "esphome/core/component.h" | ||||
| #include <shell/shell_bt_nus.h> | ||||
| #include <atomic> | ||||
|  | ||||
| namespace esphome::ble_nus { | ||||
|  | ||||
| class BLENUS : public Component { | ||||
|   enum TxStatus { | ||||
|     TX_DISABLED, | ||||
|     TX_ENABLED, | ||||
|     TX_BUSY, | ||||
|   }; | ||||
|  | ||||
|  public: | ||||
|   void setup() override; | ||||
|   void dump_config() override; | ||||
|   void loop() override; | ||||
|   size_t write_array(const uint8_t *data, size_t len); | ||||
|   void set_expose_log(bool expose_log) { this->expose_log_ = expose_log; } | ||||
|  | ||||
|  protected: | ||||
|   static void send_enabled_callback(bt_nus_send_status status); | ||||
|   static void tx_callback(bt_conn *conn); | ||||
|   static void rx_callback(bt_conn *conn, const uint8_t *data, uint16_t len); | ||||
|   static void connected(bt_conn *conn, uint8_t err); | ||||
|   static void disconnected(bt_conn *conn, uint8_t reason); | ||||
|  | ||||
|   std::atomic<bt_conn *> conn_ = nullptr; | ||||
|   bool expose_log_ = false; | ||||
|   atomic_t tx_status_ = ATOMIC_INIT(TX_DISABLED); | ||||
| }; | ||||
|  | ||||
| }  // namespace esphome::ble_nus | ||||
| #endif | ||||
| @@ -42,7 +42,9 @@ def validate_connections(config): | ||||
|             ) | ||||
|     elif config[CONF_ACTIVE]: | ||||
|         connection_slots: int = config[CONF_CONNECTION_SLOTS] | ||||
|         esp32_ble.consume_connection_slots(connection_slots, "bluetooth_proxy")(config) | ||||
|         esp32_ble_tracker.consume_connection_slots(connection_slots, "bluetooth_proxy")( | ||||
|             config | ||||
|         ) | ||||
|  | ||||
|         return { | ||||
|             **config, | ||||
| @@ -63,11 +65,11 @@ CONFIG_SCHEMA = cv.All( | ||||
|                     default=DEFAULT_CONNECTION_SLOTS, | ||||
|                 ): cv.All( | ||||
|                     cv.positive_int, | ||||
|                     cv.Range(min=1, max=esp32_ble.IDF_MAX_CONNECTIONS), | ||||
|                     cv.Range(min=1, max=esp32_ble_tracker.IDF_MAX_CONNECTIONS), | ||||
|                 ), | ||||
|                 cv.Optional(CONF_CONNECTIONS): cv.All( | ||||
|                     cv.ensure_list(CONNECTION_SCHEMA), | ||||
|                     cv.Length(min=1, max=esp32_ble.IDF_MAX_CONNECTIONS), | ||||
|                     cv.Length(min=1, max=esp32_ble_tracker.IDF_MAX_CONNECTIONS), | ||||
|                 ), | ||||
|             } | ||||
|         ) | ||||
|   | ||||
| @@ -230,8 +230,8 @@ void BluetoothConnection::send_service_for_discovery_() { | ||||
|     service_resp.handle = service_result.start_handle; | ||||
|  | ||||
|     if (total_char_count > 0) { | ||||
|       // Initialize FixedVector with exact count and process characteristics | ||||
|       service_resp.characteristics.init(total_char_count); | ||||
|       // Reserve space and process characteristics | ||||
|       service_resp.characteristics.reserve(total_char_count); | ||||
|       uint16_t char_offset = 0; | ||||
|       esp_gattc_char_elem_t char_result; | ||||
|       while (true) {  // characteristics | ||||
| @@ -253,7 +253,9 @@ void BluetoothConnection::send_service_for_discovery_() { | ||||
|  | ||||
|         service_resp.characteristics.emplace_back(); | ||||
|         auto &characteristic_resp = service_resp.characteristics.back(); | ||||
|  | ||||
|         fill_gatt_uuid(characteristic_resp.uuid, characteristic_resp.short_uuid, char_result.uuid, use_efficient_uuids); | ||||
|  | ||||
|         characteristic_resp.handle = char_result.char_handle; | ||||
|         characteristic_resp.properties = char_result.properties; | ||||
|         char_offset++; | ||||
| @@ -269,11 +271,12 @@ void BluetoothConnection::send_service_for_discovery_() { | ||||
|           return; | ||||
|         } | ||||
|         if (total_desc_count == 0) { | ||||
|           // No descriptors, continue to next characteristic | ||||
|           continue; | ||||
|         } | ||||
|  | ||||
|         // Initialize FixedVector with exact count and process descriptors | ||||
|         characteristic_resp.descriptors.init(total_desc_count); | ||||
|         // Reserve space and process descriptors | ||||
|         characteristic_resp.descriptors.reserve(total_desc_count); | ||||
|         uint16_t desc_offset = 0; | ||||
|         esp_gattc_descr_elem_t desc_result; | ||||
|         while (true) {  // descriptors | ||||
| @@ -294,7 +297,9 @@ void BluetoothConnection::send_service_for_discovery_() { | ||||
|  | ||||
|           characteristic_resp.descriptors.emplace_back(); | ||||
|           auto &descriptor_resp = characteristic_resp.descriptors.back(); | ||||
|  | ||||
|           fill_gatt_uuid(descriptor_resp.uuid, descriptor_resp.short_uuid, desc_result.uuid, use_efficient_uuids); | ||||
|  | ||||
|           descriptor_resp.handle = desc_result.handle; | ||||
|           desc_offset++; | ||||
|         } | ||||
|   | ||||
| @@ -155,12 +155,16 @@ esp32_ble_tracker::AdvertisementParserType BluetoothProxy::get_advertisement_par | ||||
| BluetoothConnection *BluetoothProxy::get_connection_(uint64_t address, bool reserve) { | ||||
|   for (uint8_t i = 0; i < this->connection_count_; i++) { | ||||
|     auto *connection = this->connections_[i]; | ||||
|     uint64_t conn_addr = connection->get_address(); | ||||
|  | ||||
|     if (conn_addr == address) | ||||
|     if (connection->get_address() == address) | ||||
|       return connection; | ||||
|   } | ||||
|  | ||||
|     if (reserve && conn_addr == 0) { | ||||
|   if (!reserve) | ||||
|     return nullptr; | ||||
|  | ||||
|   for (uint8_t i = 0; i < this->connection_count_; i++) { | ||||
|     auto *connection = this->connections_[i]; | ||||
|     if (connection->get_address() == 0) { | ||||
|       connection->send_service_ = INIT_SENDING_SERVICES; | ||||
|       connection->set_address(address); | ||||
|       // All connections must start at INIT | ||||
| @@ -171,6 +175,7 @@ BluetoothConnection *BluetoothProxy::get_connection_(uint64_t address, bool rese | ||||
|       return connection; | ||||
|     } | ||||
|   } | ||||
|  | ||||
|   return nullptr; | ||||
| } | ||||
|  | ||||
|   | ||||
| @@ -16,9 +16,7 @@ | ||||
|  | ||||
| #include "bluetooth_connection.h" | ||||
|  | ||||
| #ifndef CONFIG_ESP_HOSTED_ENABLE_BT_BLUEDROID | ||||
| #include <esp_bt.h> | ||||
| #endif | ||||
| #include <esp_bt_device.h> | ||||
|  | ||||
| namespace esphome::bluetooth_proxy { | ||||
|   | ||||
| @@ -41,7 +41,7 @@ CONFIG_SCHEMA = cv.All( | ||||
|     cv.Schema( | ||||
|         { | ||||
|             cv.GenerateID(): cv.declare_id(BME680BSECComponent), | ||||
|             cv.Optional(CONF_TEMPERATURE_OFFSET, default=0): cv.temperature_delta, | ||||
|             cv.Optional(CONF_TEMPERATURE_OFFSET, default=0): cv.temperature, | ||||
|             cv.Optional(CONF_IAQ_MODE, default="STATIC"): cv.enum( | ||||
|                 IAQ_MODE_OPTIONS, upper=True | ||||
|             ), | ||||
|   | ||||
| @@ -139,7 +139,7 @@ CONFIG_SCHEMA_BASE = ( | ||||
|             cv.Optional(CONF_SUPPLY_VOLTAGE, default="3.3V"): cv.enum( | ||||
|                 VOLTAGE_OPTIONS, upper=True | ||||
|             ), | ||||
|             cv.Optional(CONF_TEMPERATURE_OFFSET, default=0): cv.temperature_delta, | ||||
|             cv.Optional(CONF_TEMPERATURE_OFFSET, default=0): cv.temperature, | ||||
|             cv.Optional( | ||||
|                 CONF_STATE_SAVE_INTERVAL, default="6hours" | ||||
|             ): cv.positive_time_period_minutes, | ||||
|   | ||||
| @@ -105,9 +105,9 @@ class Canbus : public Component { | ||||
|   CallbackManager<void(uint32_t can_id, bool extended_id, bool rtr, const std::vector<uint8_t> &data)> | ||||
|       callback_manager_{}; | ||||
|  | ||||
|   virtual bool setup_internal() = 0; | ||||
|   virtual Error send_message(struct CanFrame *frame) = 0; | ||||
|   virtual Error read_message(struct CanFrame *frame) = 0; | ||||
|   virtual bool setup_internal(); | ||||
|   virtual Error send_message(struct CanFrame *frame); | ||||
|   virtual Error read_message(struct CanFrame *frame); | ||||
| }; | ||||
|  | ||||
| template<typename... Ts> class CanbusSendAction : public Action<Ts...>, public Parented<Canbus> { | ||||
|   | ||||
| @@ -8,30 +8,17 @@ namespace cap1188 { | ||||
| static const char *const TAG = "cap1188"; | ||||
|  | ||||
| void CAP1188Component::setup() { | ||||
|   this->disable_loop(); | ||||
|  | ||||
|   // no reset pin | ||||
|   if (this->reset_pin_ == nullptr) { | ||||
|     this->finish_setup_(); | ||||
|     return; | ||||
|   // Reset device using the reset pin | ||||
|   if (this->reset_pin_ != nullptr) { | ||||
|     this->reset_pin_->setup(); | ||||
|     this->reset_pin_->digital_write(false); | ||||
|     delay(100);  // NOLINT | ||||
|     this->reset_pin_->digital_write(true); | ||||
|     delay(100);  // NOLINT | ||||
|     this->reset_pin_->digital_write(false); | ||||
|     delay(100);  // NOLINT | ||||
|   } | ||||
|  | ||||
|   // reset pin configured so reset before finishing setup | ||||
|   this->reset_pin_->setup(); | ||||
|   this->reset_pin_->digital_write(false); | ||||
|   // delay after reset pin write | ||||
|   this->set_timeout(100, [this]() { | ||||
|     this->reset_pin_->digital_write(true); | ||||
|     // delay after reset pin write | ||||
|     this->set_timeout(100, [this]() { | ||||
|       this->reset_pin_->digital_write(false); | ||||
|       // delay after reset pin write | ||||
|       this->set_timeout(100, [this]() { this->finish_setup_(); }); | ||||
|     }); | ||||
|   }); | ||||
| } | ||||
|  | ||||
| void CAP1188Component::finish_setup_() { | ||||
|   // Check if CAP1188 is actually connected | ||||
|   this->read_byte(CAP1188_PRODUCT_ID, &this->cap1188_product_id_); | ||||
|   this->read_byte(CAP1188_MANUFACTURE_ID, &this->cap1188_manufacture_id_); | ||||
| @@ -57,9 +44,6 @@ void CAP1188Component::finish_setup_() { | ||||
|  | ||||
|   // Speed up a bit | ||||
|   this->write_byte(CAP1188_STAND_BY_CONFIGURATION, 0x30); | ||||
|  | ||||
|   // Setup successful, so enable loop | ||||
|   this->enable_loop(); | ||||
| } | ||||
|  | ||||
| void CAP1188Component::dump_config() { | ||||
|   | ||||
| @@ -49,8 +49,6 @@ class CAP1188Component : public Component, public i2c::I2CDevice { | ||||
|   void loop() override; | ||||
|  | ||||
|  protected: | ||||
|   void finish_setup_(); | ||||
|  | ||||
|   std::vector<CAP1188Channel *> channels_{}; | ||||
|   uint8_t touch_threshold_{0x20}; | ||||
|   uint8_t allow_multiple_touches_{0x80}; | ||||
|   | ||||
| @@ -6,42 +6,6 @@ namespace climate { | ||||
|  | ||||
| static const char *const TAG = "climate"; | ||||
|  | ||||
| // Memory-efficient lookup tables | ||||
| struct StringToUint8 { | ||||
|   const char *str; | ||||
|   const uint8_t value; | ||||
| }; | ||||
|  | ||||
| constexpr StringToUint8 CLIMATE_MODES_BY_STR[] = { | ||||
|     {"OFF", CLIMATE_MODE_OFF}, | ||||
|     {"AUTO", CLIMATE_MODE_AUTO}, | ||||
|     {"COOL", CLIMATE_MODE_COOL}, | ||||
|     {"HEAT", CLIMATE_MODE_HEAT}, | ||||
|     {"FAN_ONLY", CLIMATE_MODE_FAN_ONLY}, | ||||
|     {"DRY", CLIMATE_MODE_DRY}, | ||||
|     {"HEAT_COOL", CLIMATE_MODE_HEAT_COOL}, | ||||
| }; | ||||
|  | ||||
| constexpr StringToUint8 CLIMATE_FAN_MODES_BY_STR[] = { | ||||
|     {"ON", CLIMATE_FAN_ON},         {"OFF", CLIMATE_FAN_OFF},       {"AUTO", CLIMATE_FAN_AUTO}, | ||||
|     {"LOW", CLIMATE_FAN_LOW},       {"MEDIUM", CLIMATE_FAN_MEDIUM}, {"HIGH", CLIMATE_FAN_HIGH}, | ||||
|     {"MIDDLE", CLIMATE_FAN_MIDDLE}, {"FOCUS", CLIMATE_FAN_FOCUS},   {"DIFFUSE", CLIMATE_FAN_DIFFUSE}, | ||||
|     {"QUIET", CLIMATE_FAN_QUIET}, | ||||
| }; | ||||
|  | ||||
| constexpr StringToUint8 CLIMATE_PRESETS_BY_STR[] = { | ||||
|     {"ECO", CLIMATE_PRESET_ECO},           {"AWAY", CLIMATE_PRESET_AWAY}, {"BOOST", CLIMATE_PRESET_BOOST}, | ||||
|     {"COMFORT", CLIMATE_PRESET_COMFORT},   {"HOME", CLIMATE_PRESET_HOME}, {"SLEEP", CLIMATE_PRESET_SLEEP}, | ||||
|     {"ACTIVITY", CLIMATE_PRESET_ACTIVITY}, {"NONE", CLIMATE_PRESET_NONE}, | ||||
| }; | ||||
|  | ||||
| constexpr StringToUint8 CLIMATE_SWING_MODES_BY_STR[] = { | ||||
|     {"OFF", CLIMATE_SWING_OFF}, | ||||
|     {"BOTH", CLIMATE_SWING_BOTH}, | ||||
|     {"VERTICAL", CLIMATE_SWING_VERTICAL}, | ||||
|     {"HORIZONTAL", CLIMATE_SWING_HORIZONTAL}, | ||||
| }; | ||||
|  | ||||
| void ClimateCall::perform() { | ||||
|   this->parent_->control_callback_.call(*this); | ||||
|   ESP_LOGD(TAG, "'%s' - Setting", this->parent_->get_name().c_str()); | ||||
| @@ -86,175 +50,206 @@ void ClimateCall::perform() { | ||||
|   } | ||||
|   this->parent_->control(*this); | ||||
| } | ||||
|  | ||||
| void ClimateCall::validate_() { | ||||
|   auto traits = this->parent_->get_traits(); | ||||
|   if (this->mode_.has_value()) { | ||||
|     auto mode = *this->mode_; | ||||
|     if (!traits.supports_mode(mode)) { | ||||
|       ESP_LOGW(TAG, "  Mode %s not supported", LOG_STR_ARG(climate_mode_to_string(mode))); | ||||
|       ESP_LOGW(TAG, "  Mode %s is not supported by this device!", LOG_STR_ARG(climate_mode_to_string(mode))); | ||||
|       this->mode_.reset(); | ||||
|     } | ||||
|   } | ||||
|   if (this->custom_fan_mode_.has_value()) { | ||||
|     auto custom_fan_mode = *this->custom_fan_mode_; | ||||
|     if (!traits.supports_custom_fan_mode(custom_fan_mode)) { | ||||
|       ESP_LOGW(TAG, "  Fan Mode %s not supported", custom_fan_mode.c_str()); | ||||
|       ESP_LOGW(TAG, "  Fan Mode %s is not supported by this device!", custom_fan_mode.c_str()); | ||||
|       this->custom_fan_mode_.reset(); | ||||
|     } | ||||
|   } else if (this->fan_mode_.has_value()) { | ||||
|     auto fan_mode = *this->fan_mode_; | ||||
|     if (!traits.supports_fan_mode(fan_mode)) { | ||||
|       ESP_LOGW(TAG, "  Fan Mode %s not supported", LOG_STR_ARG(climate_fan_mode_to_string(fan_mode))); | ||||
|       ESP_LOGW(TAG, "  Fan Mode %s is not supported by this device!", | ||||
|                LOG_STR_ARG(climate_fan_mode_to_string(fan_mode))); | ||||
|       this->fan_mode_.reset(); | ||||
|     } | ||||
|   } | ||||
|   if (this->custom_preset_.has_value()) { | ||||
|     auto custom_preset = *this->custom_preset_; | ||||
|     if (!traits.supports_custom_preset(custom_preset)) { | ||||
|       ESP_LOGW(TAG, "  Preset %s not supported", custom_preset.c_str()); | ||||
|       ESP_LOGW(TAG, "  Preset %s is not supported by this device!", custom_preset.c_str()); | ||||
|       this->custom_preset_.reset(); | ||||
|     } | ||||
|   } else if (this->preset_.has_value()) { | ||||
|     auto preset = *this->preset_; | ||||
|     if (!traits.supports_preset(preset)) { | ||||
|       ESP_LOGW(TAG, "  Preset %s not supported", LOG_STR_ARG(climate_preset_to_string(preset))); | ||||
|       ESP_LOGW(TAG, "  Preset %s is not supported by this device!", LOG_STR_ARG(climate_preset_to_string(preset))); | ||||
|       this->preset_.reset(); | ||||
|     } | ||||
|   } | ||||
|   if (this->swing_mode_.has_value()) { | ||||
|     auto swing_mode = *this->swing_mode_; | ||||
|     if (!traits.supports_swing_mode(swing_mode)) { | ||||
|       ESP_LOGW(TAG, "  Swing Mode %s not supported", LOG_STR_ARG(climate_swing_mode_to_string(swing_mode))); | ||||
|       ESP_LOGW(TAG, "  Swing Mode %s is not supported by this device!", | ||||
|                LOG_STR_ARG(climate_swing_mode_to_string(swing_mode))); | ||||
|       this->swing_mode_.reset(); | ||||
|     } | ||||
|   } | ||||
|   if (this->target_temperature_.has_value()) { | ||||
|     auto target = *this->target_temperature_; | ||||
|     if (traits.has_feature_flags(CLIMATE_SUPPORTS_TWO_POINT_TARGET_TEMPERATURE | | ||||
|                                  CLIMATE_REQUIRES_TWO_POINT_TARGET_TEMPERATURE)) { | ||||
|     if (traits.get_supports_two_point_target_temperature()) { | ||||
|       ESP_LOGW(TAG, "  Cannot set target temperature for climate device " | ||||
|                     "with two-point target temperature"); | ||||
|                     "with two-point target temperature!"); | ||||
|       this->target_temperature_.reset(); | ||||
|     } else if (std::isnan(target)) { | ||||
|       ESP_LOGW(TAG, "  Target temperature must not be NAN"); | ||||
|       ESP_LOGW(TAG, "  Target temperature must not be NAN!"); | ||||
|       this->target_temperature_.reset(); | ||||
|     } | ||||
|   } | ||||
|   if (this->target_temperature_low_.has_value() || this->target_temperature_high_.has_value()) { | ||||
|     if (!traits.has_feature_flags(CLIMATE_SUPPORTS_TWO_POINT_TARGET_TEMPERATURE | | ||||
|                                   CLIMATE_REQUIRES_TWO_POINT_TARGET_TEMPERATURE)) { | ||||
|       ESP_LOGW(TAG, "  Cannot set low/high target temperature"); | ||||
|     if (!traits.get_supports_two_point_target_temperature()) { | ||||
|       ESP_LOGW(TAG, "  Cannot set low/high target temperature for this device!"); | ||||
|       this->target_temperature_low_.reset(); | ||||
|       this->target_temperature_high_.reset(); | ||||
|     } | ||||
|   } | ||||
|   if (this->target_temperature_low_.has_value() && std::isnan(*this->target_temperature_low_)) { | ||||
|     ESP_LOGW(TAG, "  Target temperature low must not be NAN"); | ||||
|     ESP_LOGW(TAG, "  Target temperature low must not be NAN!"); | ||||
|     this->target_temperature_low_.reset(); | ||||
|   } | ||||
|   if (this->target_temperature_high_.has_value() && std::isnan(*this->target_temperature_high_)) { | ||||
|     ESP_LOGW(TAG, "  Target temperature high must not be NAN"); | ||||
|     ESP_LOGW(TAG, "  Target temperature low must not be NAN!"); | ||||
|     this->target_temperature_high_.reset(); | ||||
|   } | ||||
|   if (this->target_temperature_low_.has_value() && this->target_temperature_high_.has_value()) { | ||||
|     float low = *this->target_temperature_low_; | ||||
|     float high = *this->target_temperature_high_; | ||||
|     if (low > high) { | ||||
|       ESP_LOGW(TAG, "  Target temperature low %.2f must be less than target temperature high %.2f", low, high); | ||||
|       ESP_LOGW(TAG, "  Target temperature low %.2f must be smaller than target temperature high %.2f!", low, high); | ||||
|       this->target_temperature_low_.reset(); | ||||
|       this->target_temperature_high_.reset(); | ||||
|     } | ||||
|   } | ||||
| } | ||||
|  | ||||
| ClimateCall &ClimateCall::set_mode(ClimateMode mode) { | ||||
|   this->mode_ = mode; | ||||
|   return *this; | ||||
| } | ||||
|  | ||||
| ClimateCall &ClimateCall::set_mode(const std::string &mode) { | ||||
|   for (const auto &mode_entry : CLIMATE_MODES_BY_STR) { | ||||
|     if (str_equals_case_insensitive(mode, mode_entry.str)) { | ||||
|       this->set_mode(static_cast<ClimateMode>(mode_entry.value)); | ||||
|       return *this; | ||||
|     } | ||||
|   if (str_equals_case_insensitive(mode, "OFF")) { | ||||
|     this->set_mode(CLIMATE_MODE_OFF); | ||||
|   } else if (str_equals_case_insensitive(mode, "AUTO")) { | ||||
|     this->set_mode(CLIMATE_MODE_AUTO); | ||||
|   } else if (str_equals_case_insensitive(mode, "COOL")) { | ||||
|     this->set_mode(CLIMATE_MODE_COOL); | ||||
|   } else if (str_equals_case_insensitive(mode, "HEAT")) { | ||||
|     this->set_mode(CLIMATE_MODE_HEAT); | ||||
|   } else if (str_equals_case_insensitive(mode, "FAN_ONLY")) { | ||||
|     this->set_mode(CLIMATE_MODE_FAN_ONLY); | ||||
|   } else if (str_equals_case_insensitive(mode, "DRY")) { | ||||
|     this->set_mode(CLIMATE_MODE_DRY); | ||||
|   } else if (str_equals_case_insensitive(mode, "HEAT_COOL")) { | ||||
|     this->set_mode(CLIMATE_MODE_HEAT_COOL); | ||||
|   } else { | ||||
|     ESP_LOGW(TAG, "'%s' - Unrecognized mode %s", this->parent_->get_name().c_str(), mode.c_str()); | ||||
|   } | ||||
|   ESP_LOGW(TAG, "'%s' - Unrecognized mode %s", this->parent_->get_name().c_str(), mode.c_str()); | ||||
|   return *this; | ||||
| } | ||||
|  | ||||
| ClimateCall &ClimateCall::set_fan_mode(ClimateFanMode fan_mode) { | ||||
|   this->fan_mode_ = fan_mode; | ||||
|   this->custom_fan_mode_.reset(); | ||||
|   return *this; | ||||
| } | ||||
|  | ||||
| ClimateCall &ClimateCall::set_fan_mode(const std::string &fan_mode) { | ||||
|   for (const auto &mode_entry : CLIMATE_FAN_MODES_BY_STR) { | ||||
|     if (str_equals_case_insensitive(fan_mode, mode_entry.str)) { | ||||
|       this->set_fan_mode(static_cast<ClimateFanMode>(mode_entry.value)); | ||||
|       return *this; | ||||
|     } | ||||
|   } | ||||
|   if (this->parent_->get_traits().supports_custom_fan_mode(fan_mode)) { | ||||
|     this->custom_fan_mode_ = fan_mode; | ||||
|     this->fan_mode_.reset(); | ||||
|   if (str_equals_case_insensitive(fan_mode, "ON")) { | ||||
|     this->set_fan_mode(CLIMATE_FAN_ON); | ||||
|   } else if (str_equals_case_insensitive(fan_mode, "OFF")) { | ||||
|     this->set_fan_mode(CLIMATE_FAN_OFF); | ||||
|   } else if (str_equals_case_insensitive(fan_mode, "AUTO")) { | ||||
|     this->set_fan_mode(CLIMATE_FAN_AUTO); | ||||
|   } else if (str_equals_case_insensitive(fan_mode, "LOW")) { | ||||
|     this->set_fan_mode(CLIMATE_FAN_LOW); | ||||
|   } else if (str_equals_case_insensitive(fan_mode, "MEDIUM")) { | ||||
|     this->set_fan_mode(CLIMATE_FAN_MEDIUM); | ||||
|   } else if (str_equals_case_insensitive(fan_mode, "HIGH")) { | ||||
|     this->set_fan_mode(CLIMATE_FAN_HIGH); | ||||
|   } else if (str_equals_case_insensitive(fan_mode, "MIDDLE")) { | ||||
|     this->set_fan_mode(CLIMATE_FAN_MIDDLE); | ||||
|   } else if (str_equals_case_insensitive(fan_mode, "FOCUS")) { | ||||
|     this->set_fan_mode(CLIMATE_FAN_FOCUS); | ||||
|   } else if (str_equals_case_insensitive(fan_mode, "DIFFUSE")) { | ||||
|     this->set_fan_mode(CLIMATE_FAN_DIFFUSE); | ||||
|   } else if (str_equals_case_insensitive(fan_mode, "QUIET")) { | ||||
|     this->set_fan_mode(CLIMATE_FAN_QUIET); | ||||
|   } else { | ||||
|     ESP_LOGW(TAG, "'%s' - Unrecognized fan mode %s", this->parent_->get_name().c_str(), fan_mode.c_str()); | ||||
|     if (this->parent_->get_traits().supports_custom_fan_mode(fan_mode)) { | ||||
|       this->custom_fan_mode_ = fan_mode; | ||||
|       this->fan_mode_.reset(); | ||||
|     } else { | ||||
|       ESP_LOGW(TAG, "'%s' - Unrecognized fan mode %s", this->parent_->get_name().c_str(), fan_mode.c_str()); | ||||
|     } | ||||
|   } | ||||
|   return *this; | ||||
| } | ||||
|  | ||||
| ClimateCall &ClimateCall::set_fan_mode(optional<std::string> fan_mode) { | ||||
|   if (fan_mode.has_value()) { | ||||
|     this->set_fan_mode(fan_mode.value()); | ||||
|   } | ||||
|   return *this; | ||||
| } | ||||
|  | ||||
| ClimateCall &ClimateCall::set_preset(ClimatePreset preset) { | ||||
|   this->preset_ = preset; | ||||
|   this->custom_preset_.reset(); | ||||
|   return *this; | ||||
| } | ||||
|  | ||||
| ClimateCall &ClimateCall::set_preset(const std::string &preset) { | ||||
|   for (const auto &preset_entry : CLIMATE_PRESETS_BY_STR) { | ||||
|     if (str_equals_case_insensitive(preset, preset_entry.str)) { | ||||
|       this->set_preset(static_cast<ClimatePreset>(preset_entry.value)); | ||||
|       return *this; | ||||
|     } | ||||
|   } | ||||
|   if (this->parent_->get_traits().supports_custom_preset(preset)) { | ||||
|     this->custom_preset_ = preset; | ||||
|     this->preset_.reset(); | ||||
|   if (str_equals_case_insensitive(preset, "ECO")) { | ||||
|     this->set_preset(CLIMATE_PRESET_ECO); | ||||
|   } else if (str_equals_case_insensitive(preset, "AWAY")) { | ||||
|     this->set_preset(CLIMATE_PRESET_AWAY); | ||||
|   } else if (str_equals_case_insensitive(preset, "BOOST")) { | ||||
|     this->set_preset(CLIMATE_PRESET_BOOST); | ||||
|   } else if (str_equals_case_insensitive(preset, "COMFORT")) { | ||||
|     this->set_preset(CLIMATE_PRESET_COMFORT); | ||||
|   } else if (str_equals_case_insensitive(preset, "HOME")) { | ||||
|     this->set_preset(CLIMATE_PRESET_HOME); | ||||
|   } else if (str_equals_case_insensitive(preset, "SLEEP")) { | ||||
|     this->set_preset(CLIMATE_PRESET_SLEEP); | ||||
|   } else if (str_equals_case_insensitive(preset, "ACTIVITY")) { | ||||
|     this->set_preset(CLIMATE_PRESET_ACTIVITY); | ||||
|   } else if (str_equals_case_insensitive(preset, "NONE")) { | ||||
|     this->set_preset(CLIMATE_PRESET_NONE); | ||||
|   } else { | ||||
|     ESP_LOGW(TAG, "'%s' - Unrecognized preset %s", this->parent_->get_name().c_str(), preset.c_str()); | ||||
|     if (this->parent_->get_traits().supports_custom_preset(preset)) { | ||||
|       this->custom_preset_ = preset; | ||||
|       this->preset_.reset(); | ||||
|     } else { | ||||
|       ESP_LOGW(TAG, "'%s' - Unrecognized preset %s", this->parent_->get_name().c_str(), preset.c_str()); | ||||
|     } | ||||
|   } | ||||
|   return *this; | ||||
| } | ||||
|  | ||||
| ClimateCall &ClimateCall::set_preset(optional<std::string> preset) { | ||||
|   if (preset.has_value()) { | ||||
|     this->set_preset(preset.value()); | ||||
|   } | ||||
|   return *this; | ||||
| } | ||||
|  | ||||
| ClimateCall &ClimateCall::set_swing_mode(ClimateSwingMode swing_mode) { | ||||
|   this->swing_mode_ = swing_mode; | ||||
|   return *this; | ||||
| } | ||||
|  | ||||
| ClimateCall &ClimateCall::set_swing_mode(const std::string &swing_mode) { | ||||
|   for (const auto &mode_entry : CLIMATE_SWING_MODES_BY_STR) { | ||||
|     if (str_equals_case_insensitive(swing_mode, mode_entry.str)) { | ||||
|       this->set_swing_mode(static_cast<ClimateSwingMode>(mode_entry.value)); | ||||
|       return *this; | ||||
|     } | ||||
|   if (str_equals_case_insensitive(swing_mode, "OFF")) { | ||||
|     this->set_swing_mode(CLIMATE_SWING_OFF); | ||||
|   } else if (str_equals_case_insensitive(swing_mode, "BOTH")) { | ||||
|     this->set_swing_mode(CLIMATE_SWING_BOTH); | ||||
|   } else if (str_equals_case_insensitive(swing_mode, "VERTICAL")) { | ||||
|     this->set_swing_mode(CLIMATE_SWING_VERTICAL); | ||||
|   } else if (str_equals_case_insensitive(swing_mode, "HORIZONTAL")) { | ||||
|     this->set_swing_mode(CLIMATE_SWING_HORIZONTAL); | ||||
|   } else { | ||||
|     ESP_LOGW(TAG, "'%s' - Unrecognized swing mode %s", this->parent_->get_name().c_str(), swing_mode.c_str()); | ||||
|   } | ||||
|   ESP_LOGW(TAG, "'%s' - Unrecognized swing mode %s", this->parent_->get_name().c_str(), swing_mode.c_str()); | ||||
|   return *this; | ||||
| } | ||||
|  | ||||
| @@ -262,71 +257,59 @@ ClimateCall &ClimateCall::set_target_temperature(float target_temperature) { | ||||
|   this->target_temperature_ = target_temperature; | ||||
|   return *this; | ||||
| } | ||||
|  | ||||
| ClimateCall &ClimateCall::set_target_temperature_low(float target_temperature_low) { | ||||
|   this->target_temperature_low_ = target_temperature_low; | ||||
|   return *this; | ||||
| } | ||||
|  | ||||
| ClimateCall &ClimateCall::set_target_temperature_high(float target_temperature_high) { | ||||
|   this->target_temperature_high_ = target_temperature_high; | ||||
|   return *this; | ||||
| } | ||||
|  | ||||
| ClimateCall &ClimateCall::set_target_humidity(float target_humidity) { | ||||
|   this->target_humidity_ = target_humidity; | ||||
|   return *this; | ||||
| } | ||||
|  | ||||
| const optional<ClimateMode> &ClimateCall::get_mode() const { return this->mode_; } | ||||
| const optional<float> &ClimateCall::get_target_temperature() const { return this->target_temperature_; } | ||||
| const optional<float> &ClimateCall::get_target_temperature_low() const { return this->target_temperature_low_; } | ||||
| const optional<float> &ClimateCall::get_target_temperature_high() const { return this->target_temperature_high_; } | ||||
| const optional<float> &ClimateCall::get_target_humidity() const { return this->target_humidity_; } | ||||
|  | ||||
| const optional<ClimateMode> &ClimateCall::get_mode() const { return this->mode_; } | ||||
| const optional<ClimateFanMode> &ClimateCall::get_fan_mode() const { return this->fan_mode_; } | ||||
| const optional<ClimateSwingMode> &ClimateCall::get_swing_mode() const { return this->swing_mode_; } | ||||
| const optional<ClimatePreset> &ClimateCall::get_preset() const { return this->preset_; } | ||||
| const optional<std::string> &ClimateCall::get_custom_fan_mode() const { return this->custom_fan_mode_; } | ||||
| const optional<ClimatePreset> &ClimateCall::get_preset() const { return this->preset_; } | ||||
| const optional<std::string> &ClimateCall::get_custom_preset() const { return this->custom_preset_; } | ||||
|  | ||||
| const optional<ClimateSwingMode> &ClimateCall::get_swing_mode() const { return this->swing_mode_; } | ||||
| ClimateCall &ClimateCall::set_target_temperature_high(optional<float> target_temperature_high) { | ||||
|   this->target_temperature_high_ = target_temperature_high; | ||||
|   return *this; | ||||
| } | ||||
|  | ||||
| ClimateCall &ClimateCall::set_target_temperature_low(optional<float> target_temperature_low) { | ||||
|   this->target_temperature_low_ = target_temperature_low; | ||||
|   return *this; | ||||
| } | ||||
|  | ||||
| ClimateCall &ClimateCall::set_target_temperature(optional<float> target_temperature) { | ||||
|   this->target_temperature_ = target_temperature; | ||||
|   return *this; | ||||
| } | ||||
|  | ||||
| ClimateCall &ClimateCall::set_target_humidity(optional<float> target_humidity) { | ||||
|   this->target_humidity_ = target_humidity; | ||||
|   return *this; | ||||
| } | ||||
|  | ||||
| ClimateCall &ClimateCall::set_mode(optional<ClimateMode> mode) { | ||||
|   this->mode_ = mode; | ||||
|   return *this; | ||||
| } | ||||
|  | ||||
| ClimateCall &ClimateCall::set_fan_mode(optional<ClimateFanMode> fan_mode) { | ||||
|   this->fan_mode_ = fan_mode; | ||||
|   this->custom_fan_mode_.reset(); | ||||
|   return *this; | ||||
| } | ||||
|  | ||||
| ClimateCall &ClimateCall::set_preset(optional<ClimatePreset> preset) { | ||||
|   this->preset_ = preset; | ||||
|   this->custom_preset_.reset(); | ||||
|   return *this; | ||||
| } | ||||
|  | ||||
| ClimateCall &ClimateCall::set_swing_mode(optional<ClimateSwingMode> swing_mode) { | ||||
|   this->swing_mode_ = swing_mode; | ||||
|   return *this; | ||||
| @@ -351,7 +334,6 @@ optional<ClimateDeviceRestoreState> Climate::restore_state_() { | ||||
|     return {}; | ||||
|   return recovered; | ||||
| } | ||||
|  | ||||
| void Climate::save_state_() { | ||||
| #if (defined(USE_ESP_IDF) || (defined(USE_ESP8266) && USE_ARDUINO_VERSION_CODE >= VERSION_CODE(3, 0, 0))) && \ | ||||
|     !defined(CLANG_TIDY) | ||||
| @@ -368,14 +350,13 @@ void Climate::save_state_() { | ||||
|  | ||||
|   state.mode = this->mode; | ||||
|   auto traits = this->get_traits(); | ||||
|   if (traits.has_feature_flags(CLIMATE_SUPPORTS_TWO_POINT_TARGET_TEMPERATURE | | ||||
|                                CLIMATE_REQUIRES_TWO_POINT_TARGET_TEMPERATURE)) { | ||||
|   if (traits.get_supports_two_point_target_temperature()) { | ||||
|     state.target_temperature_low = this->target_temperature_low; | ||||
|     state.target_temperature_high = this->target_temperature_high; | ||||
|   } else { | ||||
|     state.target_temperature = this->target_temperature; | ||||
|   } | ||||
|   if (traits.has_feature_flags(climate::CLIMATE_SUPPORTS_TARGET_HUMIDITY)) { | ||||
|   if (traits.get_supports_target_humidity()) { | ||||
|     state.target_humidity = this->target_humidity; | ||||
|   } | ||||
|   if (traits.get_supports_fan_modes() && fan_mode.has_value()) { | ||||
| @@ -414,13 +395,12 @@ void Climate::save_state_() { | ||||
|  | ||||
|   this->rtc_.save(&state); | ||||
| } | ||||
|  | ||||
| void Climate::publish_state() { | ||||
|   ESP_LOGD(TAG, "'%s' - Sending state:", this->name_.c_str()); | ||||
|   auto traits = this->get_traits(); | ||||
|  | ||||
|   ESP_LOGD(TAG, "  Mode: %s", LOG_STR_ARG(climate_mode_to_string(this->mode))); | ||||
|   if (traits.has_feature_flags(climate::CLIMATE_SUPPORTS_ACTION)) { | ||||
|   if (traits.get_supports_action()) { | ||||
|     ESP_LOGD(TAG, "  Action: %s", LOG_STR_ARG(climate_action_to_string(this->action))); | ||||
|   } | ||||
|   if (traits.get_supports_fan_modes() && this->fan_mode.has_value()) { | ||||
| @@ -438,20 +418,19 @@ void Climate::publish_state() { | ||||
|   if (traits.get_supports_swing_modes()) { | ||||
|     ESP_LOGD(TAG, "  Swing Mode: %s", LOG_STR_ARG(climate_swing_mode_to_string(this->swing_mode))); | ||||
|   } | ||||
|   if (traits.has_feature_flags(climate::CLIMATE_SUPPORTS_CURRENT_TEMPERATURE)) { | ||||
|   if (traits.get_supports_current_temperature()) { | ||||
|     ESP_LOGD(TAG, "  Current Temperature: %.2f°C", this->current_temperature); | ||||
|   } | ||||
|   if (traits.has_feature_flags(CLIMATE_SUPPORTS_TWO_POINT_TARGET_TEMPERATURE | | ||||
|                                CLIMATE_REQUIRES_TWO_POINT_TARGET_TEMPERATURE)) { | ||||
|   if (traits.get_supports_two_point_target_temperature()) { | ||||
|     ESP_LOGD(TAG, "  Target Temperature: Low: %.2f°C High: %.2f°C", this->target_temperature_low, | ||||
|              this->target_temperature_high); | ||||
|   } else { | ||||
|     ESP_LOGD(TAG, "  Target Temperature: %.2f°C", this->target_temperature); | ||||
|   } | ||||
|   if (traits.has_feature_flags(climate::CLIMATE_SUPPORTS_CURRENT_HUMIDITY)) { | ||||
|   if (traits.get_supports_current_humidity()) { | ||||
|     ESP_LOGD(TAG, "  Current Humidity: %.0f%%", this->current_humidity); | ||||
|   } | ||||
|   if (traits.has_feature_flags(climate::CLIMATE_SUPPORTS_TARGET_HUMIDITY)) { | ||||
|   if (traits.get_supports_target_humidity()) { | ||||
|     ESP_LOGD(TAG, "  Target Humidity: %.0f%%", this->target_humidity); | ||||
|   } | ||||
|  | ||||
| @@ -486,20 +465,16 @@ ClimateTraits Climate::get_traits() { | ||||
| void Climate::set_visual_min_temperature_override(float visual_min_temperature_override) { | ||||
|   this->visual_min_temperature_override_ = visual_min_temperature_override; | ||||
| } | ||||
|  | ||||
| void Climate::set_visual_max_temperature_override(float visual_max_temperature_override) { | ||||
|   this->visual_max_temperature_override_ = visual_max_temperature_override; | ||||
| } | ||||
|  | ||||
| void Climate::set_visual_temperature_step_override(float target, float current) { | ||||
|   this->visual_target_temperature_step_override_ = target; | ||||
|   this->visual_current_temperature_step_override_ = current; | ||||
| } | ||||
|  | ||||
| void Climate::set_visual_min_humidity_override(float visual_min_humidity_override) { | ||||
|   this->visual_min_humidity_override_ = visual_min_humidity_override; | ||||
| } | ||||
|  | ||||
| void Climate::set_visual_max_humidity_override(float visual_max_humidity_override) { | ||||
|   this->visual_max_humidity_override_ = visual_max_humidity_override; | ||||
| } | ||||
| @@ -510,14 +485,13 @@ ClimateCall ClimateDeviceRestoreState::to_call(Climate *climate) { | ||||
|   auto call = climate->make_call(); | ||||
|   auto traits = climate->get_traits(); | ||||
|   call.set_mode(this->mode); | ||||
|   if (traits.has_feature_flags(CLIMATE_SUPPORTS_TWO_POINT_TARGET_TEMPERATURE | | ||||
|                                CLIMATE_REQUIRES_TWO_POINT_TARGET_TEMPERATURE)) { | ||||
|   if (traits.get_supports_two_point_target_temperature()) { | ||||
|     call.set_target_temperature_low(this->target_temperature_low); | ||||
|     call.set_target_temperature_high(this->target_temperature_high); | ||||
|   } else { | ||||
|     call.set_target_temperature(this->target_temperature); | ||||
|   } | ||||
|   if (traits.has_feature_flags(climate::CLIMATE_SUPPORTS_TARGET_HUMIDITY)) { | ||||
|   if (traits.get_supports_target_humidity()) { | ||||
|     call.set_target_humidity(this->target_humidity); | ||||
|   } | ||||
|   if (traits.get_supports_fan_modes() || !traits.get_supported_custom_fan_modes().empty()) { | ||||
| @@ -531,18 +505,16 @@ ClimateCall ClimateDeviceRestoreState::to_call(Climate *climate) { | ||||
|   } | ||||
|   return call; | ||||
| } | ||||
|  | ||||
| void ClimateDeviceRestoreState::apply(Climate *climate) { | ||||
|   auto traits = climate->get_traits(); | ||||
|   climate->mode = this->mode; | ||||
|   if (traits.has_feature_flags(CLIMATE_SUPPORTS_TWO_POINT_TARGET_TEMPERATURE | | ||||
|                                CLIMATE_REQUIRES_TWO_POINT_TARGET_TEMPERATURE)) { | ||||
|   if (traits.get_supports_two_point_target_temperature()) { | ||||
|     climate->target_temperature_low = this->target_temperature_low; | ||||
|     climate->target_temperature_high = this->target_temperature_high; | ||||
|   } else { | ||||
|     climate->target_temperature = this->target_temperature; | ||||
|   } | ||||
|   if (traits.has_feature_flags(climate::CLIMATE_SUPPORTS_TARGET_HUMIDITY)) { | ||||
|   if (traits.get_supports_target_humidity()) { | ||||
|     climate->target_humidity = this->target_humidity; | ||||
|   } | ||||
|   if (traits.get_supports_fan_modes() && !this->uses_custom_fan_mode) { | ||||
| @@ -601,68 +573,66 @@ void Climate::dump_traits_(const char *tag) { | ||||
|   auto traits = this->get_traits(); | ||||
|   ESP_LOGCONFIG(tag, "ClimateTraits:"); | ||||
|   ESP_LOGCONFIG(tag, | ||||
|                 "  Visual settings:\n" | ||||
|                 "  - Min temperature: %.1f\n" | ||||
|                 "  - Max temperature: %.1f\n" | ||||
|                 "  - Temperature step:\n" | ||||
|                 "      Target: %.1f", | ||||
|                 "  [x] Visual settings:\n" | ||||
|                 "      - Min temperature: %.1f\n" | ||||
|                 "      - Max temperature: %.1f\n" | ||||
|                 "      - Temperature step:\n" | ||||
|                 "          Target: %.1f", | ||||
|                 traits.get_visual_min_temperature(), traits.get_visual_max_temperature(), | ||||
|                 traits.get_visual_target_temperature_step()); | ||||
|   if (traits.has_feature_flags(climate::CLIMATE_SUPPORTS_CURRENT_TEMPERATURE)) { | ||||
|     ESP_LOGCONFIG(tag, "      Current: %.1f", traits.get_visual_current_temperature_step()); | ||||
|   if (traits.get_supports_current_temperature()) { | ||||
|     ESP_LOGCONFIG(tag, "          Current: %.1f", traits.get_visual_current_temperature_step()); | ||||
|   } | ||||
|   if (traits.has_feature_flags(climate::CLIMATE_SUPPORTS_TARGET_HUMIDITY | | ||||
|                                climate::CLIMATE_SUPPORTS_CURRENT_HUMIDITY)) { | ||||
|   if (traits.get_supports_target_humidity() || traits.get_supports_current_humidity()) { | ||||
|     ESP_LOGCONFIG(tag, | ||||
|                   "  - Min humidity: %.0f\n" | ||||
|                   "  - Max humidity: %.0f", | ||||
|                   "      - Min humidity: %.0f\n" | ||||
|                   "      - Max humidity: %.0f", | ||||
|                   traits.get_visual_min_humidity(), traits.get_visual_max_humidity()); | ||||
|   } | ||||
|   if (traits.has_feature_flags(CLIMATE_SUPPORTS_TWO_POINT_TARGET_TEMPERATURE | | ||||
|                                CLIMATE_REQUIRES_TWO_POINT_TARGET_TEMPERATURE)) { | ||||
|     ESP_LOGCONFIG(tag, "  Supports two-point target temperature"); | ||||
|   if (traits.get_supports_two_point_target_temperature()) { | ||||
|     ESP_LOGCONFIG(tag, "  [x] Supports two-point target temperature"); | ||||
|   } | ||||
|   if (traits.has_feature_flags(climate::CLIMATE_SUPPORTS_CURRENT_TEMPERATURE)) { | ||||
|     ESP_LOGCONFIG(tag, "  Supports current temperature"); | ||||
|   if (traits.get_supports_current_temperature()) { | ||||
|     ESP_LOGCONFIG(tag, "  [x] Supports current temperature"); | ||||
|   } | ||||
|   if (traits.has_feature_flags(climate::CLIMATE_SUPPORTS_TARGET_HUMIDITY)) { | ||||
|     ESP_LOGCONFIG(tag, "  Supports target humidity"); | ||||
|   if (traits.get_supports_target_humidity()) { | ||||
|     ESP_LOGCONFIG(tag, "  [x] Supports target humidity"); | ||||
|   } | ||||
|   if (traits.has_feature_flags(climate::CLIMATE_SUPPORTS_CURRENT_HUMIDITY)) { | ||||
|     ESP_LOGCONFIG(tag, "  Supports current humidity"); | ||||
|   if (traits.get_supports_current_humidity()) { | ||||
|     ESP_LOGCONFIG(tag, "  [x] Supports current humidity"); | ||||
|   } | ||||
|   if (traits.has_feature_flags(climate::CLIMATE_SUPPORTS_ACTION)) { | ||||
|     ESP_LOGCONFIG(tag, "  Supports action"); | ||||
|   if (traits.get_supports_action()) { | ||||
|     ESP_LOGCONFIG(tag, "  [x] Supports action"); | ||||
|   } | ||||
|   if (!traits.get_supported_modes().empty()) { | ||||
|     ESP_LOGCONFIG(tag, "  Supported modes:"); | ||||
|     ESP_LOGCONFIG(tag, "  [x] Supported modes:"); | ||||
|     for (ClimateMode m : traits.get_supported_modes()) | ||||
|       ESP_LOGCONFIG(tag, "  - %s", LOG_STR_ARG(climate_mode_to_string(m))); | ||||
|       ESP_LOGCONFIG(tag, "      - %s", LOG_STR_ARG(climate_mode_to_string(m))); | ||||
|   } | ||||
|   if (!traits.get_supported_fan_modes().empty()) { | ||||
|     ESP_LOGCONFIG(tag, "  Supported fan modes:"); | ||||
|     ESP_LOGCONFIG(tag, "  [x] Supported fan modes:"); | ||||
|     for (ClimateFanMode m : traits.get_supported_fan_modes()) | ||||
|       ESP_LOGCONFIG(tag, "  - %s", LOG_STR_ARG(climate_fan_mode_to_string(m))); | ||||
|       ESP_LOGCONFIG(tag, "      - %s", LOG_STR_ARG(climate_fan_mode_to_string(m))); | ||||
|   } | ||||
|   if (!traits.get_supported_custom_fan_modes().empty()) { | ||||
|     ESP_LOGCONFIG(tag, "  Supported custom fan modes:"); | ||||
|     ESP_LOGCONFIG(tag, "  [x] Supported custom fan modes:"); | ||||
|     for (const std::string &s : traits.get_supported_custom_fan_modes()) | ||||
|       ESP_LOGCONFIG(tag, "  - %s", s.c_str()); | ||||
|       ESP_LOGCONFIG(tag, "      - %s", s.c_str()); | ||||
|   } | ||||
|   if (!traits.get_supported_presets().empty()) { | ||||
|     ESP_LOGCONFIG(tag, "  Supported presets:"); | ||||
|     ESP_LOGCONFIG(tag, "  [x] Supported presets:"); | ||||
|     for (ClimatePreset p : traits.get_supported_presets()) | ||||
|       ESP_LOGCONFIG(tag, "  - %s", LOG_STR_ARG(climate_preset_to_string(p))); | ||||
|       ESP_LOGCONFIG(tag, "      - %s", LOG_STR_ARG(climate_preset_to_string(p))); | ||||
|   } | ||||
|   if (!traits.get_supported_custom_presets().empty()) { | ||||
|     ESP_LOGCONFIG(tag, "  Supported custom presets:"); | ||||
|     ESP_LOGCONFIG(tag, "  [x] Supported custom presets:"); | ||||
|     for (const std::string &s : traits.get_supported_custom_presets()) | ||||
|       ESP_LOGCONFIG(tag, "  - %s", s.c_str()); | ||||
|       ESP_LOGCONFIG(tag, "      - %s", s.c_str()); | ||||
|   } | ||||
|   if (!traits.get_supported_swing_modes().empty()) { | ||||
|     ESP_LOGCONFIG(tag, "  Supported swing modes:"); | ||||
|     ESP_LOGCONFIG(tag, "  [x] Supported swing modes:"); | ||||
|     for (ClimateSwingMode m : traits.get_supported_swing_modes()) | ||||
|       ESP_LOGCONFIG(tag, "  - %s", LOG_STR_ARG(climate_swing_mode_to_string(m))); | ||||
|       ESP_LOGCONFIG(tag, "      - %s", LOG_STR_ARG(climate_swing_mode_to_string(m))); | ||||
|   } | ||||
| } | ||||
|  | ||||
|   | ||||
| @@ -93,31 +93,30 @@ class ClimateCall { | ||||
|  | ||||
|   void perform(); | ||||
|  | ||||
|   const optional<ClimateMode> &get_mode() const; | ||||
|   const optional<float> &get_target_temperature() const; | ||||
|   const optional<float> &get_target_temperature_low() const; | ||||
|   const optional<float> &get_target_temperature_high() const; | ||||
|   const optional<float> &get_target_humidity() const; | ||||
|  | ||||
|   const optional<ClimateMode> &get_mode() const; | ||||
|   const optional<ClimateFanMode> &get_fan_mode() const; | ||||
|   const optional<ClimateSwingMode> &get_swing_mode() const; | ||||
|   const optional<ClimatePreset> &get_preset() const; | ||||
|   const optional<std::string> &get_custom_fan_mode() const; | ||||
|   const optional<ClimatePreset> &get_preset() const; | ||||
|   const optional<std::string> &get_custom_preset() const; | ||||
|  | ||||
|  protected: | ||||
|   void validate_(); | ||||
|  | ||||
|   Climate *const parent_; | ||||
|   optional<ClimateMode> mode_; | ||||
|   optional<float> target_temperature_; | ||||
|   optional<float> target_temperature_low_; | ||||
|   optional<float> target_temperature_high_; | ||||
|   optional<float> target_humidity_; | ||||
|   optional<ClimateMode> mode_; | ||||
|   optional<ClimateFanMode> fan_mode_; | ||||
|   optional<ClimateSwingMode> swing_mode_; | ||||
|   optional<ClimatePreset> preset_; | ||||
|   optional<std::string> custom_fan_mode_; | ||||
|   optional<ClimatePreset> preset_; | ||||
|   optional<std::string> custom_preset_; | ||||
| }; | ||||
|  | ||||
| @@ -170,6 +169,47 @@ class Climate : public EntityBase { | ||||
|  public: | ||||
|   Climate() {} | ||||
|  | ||||
|   /// The active mode of the climate device. | ||||
|   ClimateMode mode{CLIMATE_MODE_OFF}; | ||||
|  | ||||
|   /// The active state of the climate device. | ||||
|   ClimateAction action{CLIMATE_ACTION_OFF}; | ||||
|  | ||||
|   /// The current temperature of the climate device, as reported from the integration. | ||||
|   float current_temperature{NAN}; | ||||
|  | ||||
|   /// The current humidity of the climate device, as reported from the integration. | ||||
|   float current_humidity{NAN}; | ||||
|  | ||||
|   union { | ||||
|     /// The target temperature of the climate device. | ||||
|     float target_temperature; | ||||
|     struct { | ||||
|       /// The minimum target temperature of the climate device, for climate devices with split target temperature. | ||||
|       float target_temperature_low{NAN}; | ||||
|       /// The maximum target temperature of the climate device, for climate devices with split target temperature. | ||||
|       float target_temperature_high{NAN}; | ||||
|     }; | ||||
|   }; | ||||
|  | ||||
|   /// The target humidity of the climate device. | ||||
|   float target_humidity; | ||||
|  | ||||
|   /// The active fan mode of the climate device. | ||||
|   optional<ClimateFanMode> fan_mode; | ||||
|  | ||||
|   /// The active swing mode of the climate device. | ||||
|   ClimateSwingMode swing_mode; | ||||
|  | ||||
|   /// The active custom fan mode of the climate device. | ||||
|   optional<std::string> custom_fan_mode; | ||||
|  | ||||
|   /// The active preset of the climate device. | ||||
|   optional<ClimatePreset> preset; | ||||
|  | ||||
|   /// The active custom preset mode of the climate device. | ||||
|   optional<std::string> custom_preset; | ||||
|  | ||||
|   /** Add a callback for the climate device state, each time the state of the climate device is updated | ||||
|    * (using publish_state), this callback will be called. | ||||
|    * | ||||
| @@ -211,47 +251,6 @@ class Climate : public EntityBase { | ||||
|   void set_visual_min_humidity_override(float visual_min_humidity_override); | ||||
|   void set_visual_max_humidity_override(float visual_max_humidity_override); | ||||
|  | ||||
|   /// The current temperature of the climate device, as reported from the integration. | ||||
|   float current_temperature{NAN}; | ||||
|  | ||||
|   /// The current humidity of the climate device, as reported from the integration. | ||||
|   float current_humidity{NAN}; | ||||
|  | ||||
|   union { | ||||
|     /// The target temperature of the climate device. | ||||
|     float target_temperature; | ||||
|     struct { | ||||
|       /// The minimum target temperature of the climate device, for climate devices with split target temperature. | ||||
|       float target_temperature_low{NAN}; | ||||
|       /// The maximum target temperature of the climate device, for climate devices with split target temperature. | ||||
|       float target_temperature_high{NAN}; | ||||
|     }; | ||||
|   }; | ||||
|  | ||||
|   /// The target humidity of the climate device. | ||||
|   float target_humidity; | ||||
|  | ||||
|   /// The active fan mode of the climate device. | ||||
|   optional<ClimateFanMode> fan_mode; | ||||
|  | ||||
|   /// The active preset of the climate device. | ||||
|   optional<ClimatePreset> preset; | ||||
|  | ||||
|   /// The active custom fan mode of the climate device. | ||||
|   optional<std::string> custom_fan_mode; | ||||
|  | ||||
|   /// The active custom preset mode of the climate device. | ||||
|   optional<std::string> custom_preset; | ||||
|  | ||||
|   /// The active mode of the climate device. | ||||
|   ClimateMode mode{CLIMATE_MODE_OFF}; | ||||
|  | ||||
|   /// The active state of the climate device. | ||||
|   ClimateAction action{CLIMATE_ACTION_OFF}; | ||||
|  | ||||
|   /// The active swing mode of the climate device. | ||||
|   ClimateSwingMode swing_mode{CLIMATE_SWING_OFF}; | ||||
|  | ||||
|  protected: | ||||
|   friend ClimateCall; | ||||
|  | ||||
|   | ||||
| @@ -98,21 +98,6 @@ enum ClimatePreset : uint8_t { | ||||
|   CLIMATE_PRESET_ACTIVITY = 7, | ||||
| }; | ||||
|  | ||||
| enum ClimateFeature : uint32_t { | ||||
|   // Reporting current temperature is supported | ||||
|   CLIMATE_SUPPORTS_CURRENT_TEMPERATURE = 1 << 0, | ||||
|   // Setting two target temperatures is supported (used in conjunction with CLIMATE_MODE_HEAT_COOL) | ||||
|   CLIMATE_SUPPORTS_TWO_POINT_TARGET_TEMPERATURE = 1 << 1, | ||||
|   // Single-point mode is NOT supported (UI always displays two handles, setting 'target_temperature' is not supported) | ||||
|   CLIMATE_REQUIRES_TWO_POINT_TARGET_TEMPERATURE = 1 << 2, | ||||
|   // Reporting current humidity is supported | ||||
|   CLIMATE_SUPPORTS_CURRENT_HUMIDITY = 1 << 3, | ||||
|   // Setting a target humidity is supported | ||||
|   CLIMATE_SUPPORTS_TARGET_HUMIDITY = 1 << 4, | ||||
|   // Reporting current climate action is supported | ||||
|   CLIMATE_SUPPORTS_ACTION = 1 << 5, | ||||
| }; | ||||
|  | ||||
| /// Convert the given ClimateMode to a human-readable string. | ||||
| const LogString *climate_mode_to_string(ClimateMode mode); | ||||
|  | ||||
|   | ||||
| @@ -1,8 +1,8 @@ | ||||
| #pragma once | ||||
|  | ||||
| #include <set> | ||||
| #include "climate_mode.h" | ||||
| #include "esphome/core/helpers.h" | ||||
| #include "climate_mode.h" | ||||
| #include <set> | ||||
|  | ||||
| namespace esphome { | ||||
|  | ||||
| @@ -21,100 +21,91 @@ namespace climate { | ||||
|  *  - Target Temperature | ||||
|  * | ||||
|  * All other properties and modes are optional and the integration must mark | ||||
|  * each of them as supported by setting the appropriate flag(s) here. | ||||
|  * each of them as supported by setting the appropriate flag here. | ||||
|  * | ||||
|  *  - feature flags: see ClimateFeatures enum in climate_mode.h | ||||
|  *  - supports current temperature - if the climate device supports reporting a current temperature | ||||
|  *  - supports two point target temperature - if the climate device's target temperature should be | ||||
|  *     split in target_temperature_low and target_temperature_high instead of just the single target_temperature | ||||
|  *  - supports modes: | ||||
|  *    - auto mode (automatic control) | ||||
|  *    - cool mode (lowers current temperature) | ||||
|  *    - heat mode (increases current temperature) | ||||
|  *    - dry mode (removes humidity from air) | ||||
|  *    - fan mode (only turns on fan) | ||||
|  *  - supports action - if the climate device supports reporting the active | ||||
|  *    current action of the device with the action property. | ||||
|  *  - supports fan modes - optionally, if it has a fan which can be configured in different ways: | ||||
|  *    - on, off, auto, high, medium, low, middle, focus, diffuse, quiet | ||||
|  *  - supports swing modes - optionally, if it has a swing which can be configured in different ways: | ||||
|  *    - off, both, vertical, horizontal | ||||
|  * | ||||
|  * This class also contains static data for the climate device display: | ||||
|  *  - visual min/max temperature/humidity - tells the frontend what range of temperature/humidity the | ||||
|  *     climate device should display (gauge min/max values) | ||||
|  *  - visual min/max temperature - tells the frontend what range of temperatures the climate device | ||||
|  *     should display (gauge min/max values) | ||||
|  *  - temperature step - the step with which to increase/decrease target temperature. | ||||
|  *     This also affects with how many decimal places the temperature is shown | ||||
|  */ | ||||
| class ClimateTraits { | ||||
|  public: | ||||
|   /// Get/set feature flags (see ClimateFeatures enum in climate_mode.h) | ||||
|   uint32_t get_feature_flags() const { return this->feature_flags_; } | ||||
|   void add_feature_flags(uint32_t feature_flags) { this->feature_flags_ |= feature_flags; } | ||||
|   void clear_feature_flags(uint32_t feature_flags) { this->feature_flags_ &= ~feature_flags; } | ||||
|   bool has_feature_flags(uint32_t feature_flags) const { return this->feature_flags_ & feature_flags; } | ||||
|   void set_feature_flags(uint32_t feature_flags) { this->feature_flags_ = feature_flags; } | ||||
|  | ||||
|   ESPDEPRECATED("This method is deprecated, use get_feature_flags() instead", "2025.11.0") | ||||
|   bool get_supports_current_temperature() const { | ||||
|     return this->has_feature_flags(CLIMATE_SUPPORTS_CURRENT_TEMPERATURE); | ||||
|   } | ||||
|   ESPDEPRECATED("This method is deprecated, use add_feature_flags() instead", "2025.11.0") | ||||
|   bool get_supports_current_temperature() const { return this->supports_current_temperature_; } | ||||
|   void set_supports_current_temperature(bool supports_current_temperature) { | ||||
|     if (supports_current_temperature) { | ||||
|       this->add_feature_flags(CLIMATE_SUPPORTS_CURRENT_TEMPERATURE); | ||||
|     } else { | ||||
|       this->clear_feature_flags(CLIMATE_SUPPORTS_CURRENT_TEMPERATURE); | ||||
|     } | ||||
|     this->supports_current_temperature_ = supports_current_temperature; | ||||
|   } | ||||
|   ESPDEPRECATED("This method is deprecated, use get_feature_flags() instead", "2025.11.0") | ||||
|   bool get_supports_current_humidity() const { return this->has_feature_flags(CLIMATE_SUPPORTS_CURRENT_HUMIDITY); } | ||||
|   ESPDEPRECATED("This method is deprecated, use add_feature_flags() instead", "2025.11.0") | ||||
|   bool get_supports_current_humidity() const { return this->supports_current_humidity_; } | ||||
|   void set_supports_current_humidity(bool supports_current_humidity) { | ||||
|     if (supports_current_humidity) { | ||||
|       this->add_feature_flags(CLIMATE_SUPPORTS_CURRENT_HUMIDITY); | ||||
|     } else { | ||||
|       this->clear_feature_flags(CLIMATE_SUPPORTS_CURRENT_HUMIDITY); | ||||
|     } | ||||
|     this->supports_current_humidity_ = supports_current_humidity; | ||||
|   } | ||||
|   ESPDEPRECATED("This method is deprecated, use get_feature_flags() instead", "2025.11.0") | ||||
|   bool get_supports_two_point_target_temperature() const { | ||||
|     return this->has_feature_flags(CLIMATE_REQUIRES_TWO_POINT_TARGET_TEMPERATURE); | ||||
|   } | ||||
|   ESPDEPRECATED("This method is deprecated, use add_feature_flags() instead", "2025.11.0") | ||||
|   bool get_supports_two_point_target_temperature() const { return this->supports_two_point_target_temperature_; } | ||||
|   void set_supports_two_point_target_temperature(bool supports_two_point_target_temperature) { | ||||
|     if (supports_two_point_target_temperature) | ||||
|     // Use CLIMATE_REQUIRES_TWO_POINT_TARGET_TEMPERATURE to mimic previous behavior | ||||
|     { | ||||
|       this->add_feature_flags(CLIMATE_REQUIRES_TWO_POINT_TARGET_TEMPERATURE); | ||||
|     } else { | ||||
|       this->clear_feature_flags(CLIMATE_REQUIRES_TWO_POINT_TARGET_TEMPERATURE); | ||||
|     } | ||||
|     this->supports_two_point_target_temperature_ = supports_two_point_target_temperature; | ||||
|   } | ||||
|   ESPDEPRECATED("This method is deprecated, use get_feature_flags() instead", "2025.11.0") | ||||
|   bool get_supports_target_humidity() const { return this->has_feature_flags(CLIMATE_SUPPORTS_TARGET_HUMIDITY); } | ||||
|   ESPDEPRECATED("This method is deprecated, use add_feature_flags() instead", "2025.11.0") | ||||
|   bool get_supports_target_humidity() const { return this->supports_target_humidity_; } | ||||
|   void set_supports_target_humidity(bool supports_target_humidity) { | ||||
|     if (supports_target_humidity) { | ||||
|       this->add_feature_flags(CLIMATE_SUPPORTS_TARGET_HUMIDITY); | ||||
|     } else { | ||||
|       this->clear_feature_flags(CLIMATE_SUPPORTS_TARGET_HUMIDITY); | ||||
|     } | ||||
|     this->supports_target_humidity_ = supports_target_humidity; | ||||
|   } | ||||
|   ESPDEPRECATED("This method is deprecated, use get_feature_flags() instead", "2025.11.0") | ||||
|   bool get_supports_action() const { return this->has_feature_flags(CLIMATE_SUPPORTS_ACTION); } | ||||
|   ESPDEPRECATED("This method is deprecated, use add_feature_flags() instead", "2025.11.0") | ||||
|   void set_supports_action(bool supports_action) { | ||||
|     if (supports_action) { | ||||
|       this->add_feature_flags(CLIMATE_SUPPORTS_ACTION); | ||||
|     } else { | ||||
|       this->clear_feature_flags(CLIMATE_SUPPORTS_ACTION); | ||||
|     } | ||||
|   } | ||||
|  | ||||
|   void set_supported_modes(std::set<ClimateMode> modes) { this->supported_modes_ = std::move(modes); } | ||||
|   void add_supported_mode(ClimateMode mode) { this->supported_modes_.insert(mode); } | ||||
|   ESPDEPRECATED("This method is deprecated, use set_supported_modes() instead", "v1.20") | ||||
|   void set_supports_auto_mode(bool supports_auto_mode) { set_mode_support_(CLIMATE_MODE_AUTO, supports_auto_mode); } | ||||
|   ESPDEPRECATED("This method is deprecated, use set_supported_modes() instead", "v1.20") | ||||
|   void set_supports_cool_mode(bool supports_cool_mode) { set_mode_support_(CLIMATE_MODE_COOL, supports_cool_mode); } | ||||
|   ESPDEPRECATED("This method is deprecated, use set_supported_modes() instead", "v1.20") | ||||
|   void set_supports_heat_mode(bool supports_heat_mode) { set_mode_support_(CLIMATE_MODE_HEAT, supports_heat_mode); } | ||||
|   ESPDEPRECATED("This method is deprecated, use set_supported_modes() instead", "v1.20") | ||||
|   void set_supports_heat_cool_mode(bool supported) { set_mode_support_(CLIMATE_MODE_HEAT_COOL, supported); } | ||||
|   ESPDEPRECATED("This method is deprecated, use set_supported_modes() instead", "v1.20") | ||||
|   void set_supports_fan_only_mode(bool supports_fan_only_mode) { | ||||
|     set_mode_support_(CLIMATE_MODE_FAN_ONLY, supports_fan_only_mode); | ||||
|   } | ||||
|   ESPDEPRECATED("This method is deprecated, use set_supported_modes() instead", "v1.20") | ||||
|   void set_supports_dry_mode(bool supports_dry_mode) { set_mode_support_(CLIMATE_MODE_DRY, supports_dry_mode); } | ||||
|   bool supports_mode(ClimateMode mode) const { return this->supported_modes_.count(mode); } | ||||
|   const std::set<ClimateMode> &get_supported_modes() const { return this->supported_modes_; } | ||||
|  | ||||
|   void set_supports_action(bool supports_action) { this->supports_action_ = supports_action; } | ||||
|   bool get_supports_action() const { return this->supports_action_; } | ||||
|  | ||||
|   void set_supported_fan_modes(std::set<ClimateFanMode> modes) { this->supported_fan_modes_ = std::move(modes); } | ||||
|   void add_supported_fan_mode(ClimateFanMode mode) { this->supported_fan_modes_.insert(mode); } | ||||
|   void add_supported_custom_fan_mode(const std::string &mode) { this->supported_custom_fan_modes_.insert(mode); } | ||||
|   ESPDEPRECATED("This method is deprecated, use set_supported_fan_modes() instead", "v1.20") | ||||
|   void set_supports_fan_mode_on(bool supported) { set_fan_mode_support_(CLIMATE_FAN_ON, supported); } | ||||
|   ESPDEPRECATED("This method is deprecated, use set_supported_fan_modes() instead", "v1.20") | ||||
|   void set_supports_fan_mode_off(bool supported) { set_fan_mode_support_(CLIMATE_FAN_OFF, supported); } | ||||
|   ESPDEPRECATED("This method is deprecated, use set_supported_fan_modes() instead", "v1.20") | ||||
|   void set_supports_fan_mode_auto(bool supported) { set_fan_mode_support_(CLIMATE_FAN_AUTO, supported); } | ||||
|   ESPDEPRECATED("This method is deprecated, use set_supported_fan_modes() instead", "v1.20") | ||||
|   void set_supports_fan_mode_low(bool supported) { set_fan_mode_support_(CLIMATE_FAN_LOW, supported); } | ||||
|   ESPDEPRECATED("This method is deprecated, use set_supported_fan_modes() instead", "v1.20") | ||||
|   void set_supports_fan_mode_medium(bool supported) { set_fan_mode_support_(CLIMATE_FAN_MEDIUM, supported); } | ||||
|   ESPDEPRECATED("This method is deprecated, use set_supported_fan_modes() instead", "v1.20") | ||||
|   void set_supports_fan_mode_high(bool supported) { set_fan_mode_support_(CLIMATE_FAN_HIGH, supported); } | ||||
|   ESPDEPRECATED("This method is deprecated, use set_supported_fan_modes() instead", "v1.20") | ||||
|   void set_supports_fan_mode_middle(bool supported) { set_fan_mode_support_(CLIMATE_FAN_MIDDLE, supported); } | ||||
|   ESPDEPRECATED("This method is deprecated, use set_supported_fan_modes() instead", "v1.20") | ||||
|   void set_supports_fan_mode_focus(bool supported) { set_fan_mode_support_(CLIMATE_FAN_FOCUS, supported); } | ||||
|   ESPDEPRECATED("This method is deprecated, use set_supported_fan_modes() instead", "v1.20") | ||||
|   void set_supports_fan_mode_diffuse(bool supported) { set_fan_mode_support_(CLIMATE_FAN_DIFFUSE, supported); } | ||||
|   bool supports_fan_mode(ClimateFanMode fan_mode) const { return this->supported_fan_modes_.count(fan_mode); } | ||||
|   bool get_supports_fan_modes() const { | ||||
|     return !this->supported_fan_modes_.empty() || !this->supported_custom_fan_modes_.empty(); | ||||
| @@ -146,6 +137,16 @@ class ClimateTraits { | ||||
|  | ||||
|   void set_supported_swing_modes(std::set<ClimateSwingMode> modes) { this->supported_swing_modes_ = std::move(modes); } | ||||
|   void add_supported_swing_mode(ClimateSwingMode mode) { this->supported_swing_modes_.insert(mode); } | ||||
|   ESPDEPRECATED("This method is deprecated, use set_supported_swing_modes() instead", "v1.20") | ||||
|   void set_supports_swing_mode_off(bool supported) { set_swing_mode_support_(CLIMATE_SWING_OFF, supported); } | ||||
|   ESPDEPRECATED("This method is deprecated, use set_supported_swing_modes() instead", "v1.20") | ||||
|   void set_supports_swing_mode_both(bool supported) { set_swing_mode_support_(CLIMATE_SWING_BOTH, supported); } | ||||
|   ESPDEPRECATED("This method is deprecated, use set_supported_swing_modes() instead", "v1.20") | ||||
|   void set_supports_swing_mode_vertical(bool supported) { set_swing_mode_support_(CLIMATE_SWING_VERTICAL, supported); } | ||||
|   ESPDEPRECATED("This method is deprecated, use set_supported_swing_modes() instead", "v1.20") | ||||
|   void set_supports_swing_mode_horizontal(bool supported) { | ||||
|     set_swing_mode_support_(CLIMATE_SWING_HORIZONTAL, supported); | ||||
|   } | ||||
|   bool supports_swing_mode(ClimateSwingMode swing_mode) const { return this->supported_swing_modes_.count(swing_mode); } | ||||
|   bool get_supports_swing_modes() const { return !this->supported_swing_modes_.empty(); } | ||||
|   const std::set<ClimateSwingMode> &get_supported_swing_modes() const { return this->supported_swing_modes_; } | ||||
| @@ -218,20 +219,24 @@ class ClimateTraits { | ||||
|     } | ||||
|   } | ||||
|  | ||||
|   uint32_t feature_flags_{0}; | ||||
|   bool supports_current_temperature_{false}; | ||||
|   bool supports_current_humidity_{false}; | ||||
|   bool supports_two_point_target_temperature_{false}; | ||||
|   bool supports_target_humidity_{false}; | ||||
|   std::set<climate::ClimateMode> supported_modes_ = {climate::CLIMATE_MODE_OFF}; | ||||
|   bool supports_action_{false}; | ||||
|   std::set<climate::ClimateFanMode> supported_fan_modes_; | ||||
|   std::set<climate::ClimateSwingMode> supported_swing_modes_; | ||||
|   std::set<climate::ClimatePreset> supported_presets_; | ||||
|   std::set<std::string> supported_custom_fan_modes_; | ||||
|   std::set<std::string> supported_custom_presets_; | ||||
|  | ||||
|   float visual_min_temperature_{10}; | ||||
|   float visual_max_temperature_{30}; | ||||
|   float visual_target_temperature_step_{0.1}; | ||||
|   float visual_current_temperature_step_{0.1}; | ||||
|   float visual_min_humidity_{30}; | ||||
|   float visual_max_humidity_{99}; | ||||
|  | ||||
|   std::set<climate::ClimateMode> supported_modes_ = {climate::CLIMATE_MODE_OFF}; | ||||
|   std::set<climate::ClimateFanMode> supported_fan_modes_; | ||||
|   std::set<climate::ClimateSwingMode> supported_swing_modes_; | ||||
|   std::set<climate::ClimatePreset> supported_presets_; | ||||
|   std::set<std::string> supported_custom_fan_modes_; | ||||
|   std::set<std::string> supported_custom_presets_; | ||||
| }; | ||||
|  | ||||
| }  // namespace climate | ||||
|   | ||||
| @@ -8,10 +8,7 @@ static const char *const TAG = "climate_ir"; | ||||
|  | ||||
| climate::ClimateTraits ClimateIR::traits() { | ||||
|   auto traits = climate::ClimateTraits(); | ||||
|   if (this->sensor_ != nullptr) { | ||||
|     traits.add_feature_flags(climate::CLIMATE_SUPPORTS_CURRENT_TEMPERATURE); | ||||
|   } | ||||
|  | ||||
|   traits.set_supports_current_temperature(this->sensor_ != nullptr); | ||||
|   traits.set_supported_modes({climate::CLIMATE_MODE_OFF, climate::CLIMATE_MODE_HEAT_COOL}); | ||||
|   if (this->supports_cool_) | ||||
|     traits.add_supported_mode(climate::CLIMATE_MODE_COOL); | ||||
| @@ -22,6 +19,7 @@ climate::ClimateTraits ClimateIR::traits() { | ||||
|   if (this->supports_fan_only_) | ||||
|     traits.add_supported_mode(climate::CLIMATE_MODE_FAN_ONLY); | ||||
|  | ||||
|   traits.set_supports_two_point_target_temperature(false); | ||||
|   traits.set_visual_min_temperature(this->minimum_temperature_); | ||||
|   traits.set_visual_max_temperature(this->maximum_temperature_); | ||||
|   traits.set_visual_temperature_step(this->temperature_step_); | ||||
|   | ||||
| @@ -13,7 +13,7 @@ static const uint8_t C_M1106_CMD_SET_CO2_CALIB_RESPONSE[4] = {0x16, 0x01, 0x03, | ||||
|  | ||||
| uint8_t cm1106_checksum(const uint8_t *response, size_t len) { | ||||
|   uint8_t crc = 0; | ||||
|   for (size_t i = 0; i < len - 1; i++) { | ||||
|   for (int i = 0; i < len - 1; i++) { | ||||
|     crc -= response[i]; | ||||
|   } | ||||
|   return crc; | ||||
|   | ||||
| @@ -1,6 +1,6 @@ | ||||
| #include "cover.h" | ||||
| #include <strings.h> | ||||
| #include "esphome/core/log.h" | ||||
| #include <strings.h> | ||||
|  | ||||
| namespace esphome { | ||||
| namespace cover { | ||||
| @@ -144,7 +144,21 @@ CoverCall &CoverCall::set_stop(bool stop) { | ||||
| bool CoverCall::get_stop() const { return this->stop_; } | ||||
|  | ||||
| CoverCall Cover::make_call() { return {this}; } | ||||
|  | ||||
| void Cover::open() { | ||||
|   auto call = this->make_call(); | ||||
|   call.set_command_open(); | ||||
|   call.perform(); | ||||
| } | ||||
| void Cover::close() { | ||||
|   auto call = this->make_call(); | ||||
|   call.set_command_close(); | ||||
|   call.perform(); | ||||
| } | ||||
| void Cover::stop() { | ||||
|   auto call = this->make_call(); | ||||
|   call.set_command_stop(); | ||||
|   call.perform(); | ||||
| } | ||||
| void Cover::add_on_state_callback(std::function<void()> &&f) { this->state_callback_.add(std::move(f)); } | ||||
| void Cover::publish_state(bool save) { | ||||
|   this->position = clamp(this->position, 0.0f, 1.0f); | ||||
|   | ||||
| @@ -4,7 +4,6 @@ | ||||
| #include "esphome/core/entity_base.h" | ||||
| #include "esphome/core/helpers.h" | ||||
| #include "esphome/core/preferences.h" | ||||
|  | ||||
| #include "cover_traits.h" | ||||
|  | ||||
| namespace esphome { | ||||
| @@ -126,6 +125,25 @@ class Cover : public EntityBase, public EntityBase_DeviceClass { | ||||
|  | ||||
|   /// Construct a new cover call used to control the cover. | ||||
|   CoverCall make_call(); | ||||
|   /** Open the cover. | ||||
|    * | ||||
|    * This is a legacy method and may be removed later, please use `.make_call()` instead. | ||||
|    */ | ||||
|   ESPDEPRECATED("open() is deprecated, use make_call().set_command_open().perform() instead.", "2021.9") | ||||
|   void open(); | ||||
|   /** Close the cover. | ||||
|    * | ||||
|    * This is a legacy method and may be removed later, please use `.make_call()` instead. | ||||
|    */ | ||||
|   ESPDEPRECATED("close() is deprecated, use make_call().set_command_close().perform() instead.", "2021.9") | ||||
|   void close(); | ||||
|   /** Stop the cover. | ||||
|    * | ||||
|    * This is a legacy method and may be removed later, please use `.make_call()` instead. | ||||
|    * As per solution from issue #2885 the call should include perform() | ||||
|    */ | ||||
|   ESPDEPRECATED("stop() is deprecated, use make_call().set_command_stop().perform() instead.", "2021.9") | ||||
|   void stop(); | ||||
|  | ||||
|   void add_on_state_callback(std::function<void()> &&f); | ||||
|  | ||||
|   | ||||
| @@ -26,7 +26,7 @@ void DaikinArcClimate::transmit_query_() { | ||||
|   uint8_t remote_header[8] = {0x11, 0xDA, 0x27, 0x00, 0x84, 0x87, 0x20, 0x00}; | ||||
|  | ||||
|   // Calculate checksum | ||||
|   for (size_t i = 0; i < sizeof(remote_header) - 1; i++) { | ||||
|   for (int i = 0; i < sizeof(remote_header) - 1; i++) { | ||||
|     remote_header[sizeof(remote_header) - 1] += remote_header[i]; | ||||
|   } | ||||
|  | ||||
| @@ -102,7 +102,7 @@ void DaikinArcClimate::transmit_state() { | ||||
|   remote_state[9] = fan_speed & 0xff; | ||||
|  | ||||
|   // Calculate checksum | ||||
|   for (size_t i = 0; i < sizeof(remote_header) - 1; i++) { | ||||
|   for (int i = 0; i < sizeof(remote_header) - 1; i++) { | ||||
|     remote_header[sizeof(remote_header) - 1] += remote_header[i]; | ||||
|   } | ||||
|  | ||||
| @@ -241,7 +241,9 @@ uint8_t DaikinArcClimate::humidity_() { | ||||
|  | ||||
| climate::ClimateTraits DaikinArcClimate::traits() { | ||||
|   climate::ClimateTraits traits = climate_ir::ClimateIR::traits(); | ||||
|   traits.add_feature_flags(climate::CLIMATE_SUPPORTS_CURRENT_TEMPERATURE | climate::CLIMATE_SUPPORTS_TARGET_HUMIDITY); | ||||
|   traits.set_supports_current_temperature(true); | ||||
|   traits.set_supports_current_humidity(false); | ||||
|   traits.set_supports_target_humidity(true); | ||||
|   traits.set_visual_min_humidity(38); | ||||
|   traits.set_visual_max_humidity(52); | ||||
|   return traits; | ||||
| @@ -348,7 +350,7 @@ bool DaikinArcClimate::on_receive(remote_base::RemoteReceiveData data) { | ||||
|   bool valid_daikin_frame = false; | ||||
|   if (data.expect_item(DAIKIN_HEADER_MARK, DAIKIN_HEADER_SPACE)) { | ||||
|     valid_daikin_frame = true; | ||||
|     size_t bytes_count = data.size() / 2 / 8; | ||||
|     int bytes_count = data.size() / 2 / 8; | ||||
|     std::unique_ptr<char[]> buf(new char[bytes_count * 3 + 1]); | ||||
|     buf[0] = '\0'; | ||||
|     for (size_t i = 0; i < bytes_count; i++) { | ||||
| @@ -368,7 +370,7 @@ bool DaikinArcClimate::on_receive(remote_base::RemoteReceiveData data) { | ||||
|   if (!valid_daikin_frame) { | ||||
|     char sbuf[16 * 10 + 1]; | ||||
|     sbuf[0] = '\0'; | ||||
|     for (size_t j = 0; j < static_cast<size_t>(data.size()); j++) { | ||||
|     for (size_t j = 0; j < data.size(); j++) { | ||||
|       if ((j - 2) % 16 == 0) { | ||||
|         if (j > 0) { | ||||
|           ESP_LOGD(TAG, "DATA %04x: %s", (j - 16 > 0xffff ? 0 : j - 16), sbuf); | ||||
| @@ -378,26 +380,19 @@ bool DaikinArcClimate::on_receive(remote_base::RemoteReceiveData data) { | ||||
|       char type_ch = ' '; | ||||
|       // debug_tolerance = 25% | ||||
|  | ||||
|       if (static_cast<int32_t>(DAIKIN_DBG_LOWER(DAIKIN_ARC_PRE_MARK)) <= data[j] && | ||||
|           data[j] <= static_cast<int32_t>(DAIKIN_DBG_UPPER(DAIKIN_ARC_PRE_MARK))) | ||||
|       if (DAIKIN_DBG_LOWER(DAIKIN_ARC_PRE_MARK) <= data[j] && data[j] <= DAIKIN_DBG_UPPER(DAIKIN_ARC_PRE_MARK)) | ||||
|         type_ch = 'P'; | ||||
|       if (static_cast<int32_t>(DAIKIN_DBG_LOWER(DAIKIN_ARC_PRE_SPACE)) <= -data[j] && | ||||
|           -data[j] <= static_cast<int32_t>(DAIKIN_DBG_UPPER(DAIKIN_ARC_PRE_SPACE))) | ||||
|       if (DAIKIN_DBG_LOWER(DAIKIN_ARC_PRE_SPACE) <= -data[j] && -data[j] <= DAIKIN_DBG_UPPER(DAIKIN_ARC_PRE_SPACE)) | ||||
|         type_ch = 'a'; | ||||
|       if (static_cast<int32_t>(DAIKIN_DBG_LOWER(DAIKIN_HEADER_MARK)) <= data[j] && | ||||
|           data[j] <= static_cast<int32_t>(DAIKIN_DBG_UPPER(DAIKIN_HEADER_MARK))) | ||||
|       if (DAIKIN_DBG_LOWER(DAIKIN_HEADER_MARK) <= data[j] && data[j] <= DAIKIN_DBG_UPPER(DAIKIN_HEADER_MARK)) | ||||
|         type_ch = 'H'; | ||||
|       if (static_cast<int32_t>(DAIKIN_DBG_LOWER(DAIKIN_HEADER_SPACE)) <= -data[j] && | ||||
|           -data[j] <= static_cast<int32_t>(DAIKIN_DBG_UPPER(DAIKIN_HEADER_SPACE))) | ||||
|       if (DAIKIN_DBG_LOWER(DAIKIN_HEADER_SPACE) <= -data[j] && -data[j] <= DAIKIN_DBG_UPPER(DAIKIN_HEADER_SPACE)) | ||||
|         type_ch = 'h'; | ||||
|       if (static_cast<int32_t>(DAIKIN_DBG_LOWER(DAIKIN_BIT_MARK)) <= data[j] && | ||||
|           data[j] <= static_cast<int32_t>(DAIKIN_DBG_UPPER(DAIKIN_BIT_MARK))) | ||||
|       if (DAIKIN_DBG_LOWER(DAIKIN_BIT_MARK) <= data[j] && data[j] <= DAIKIN_DBG_UPPER(DAIKIN_BIT_MARK)) | ||||
|         type_ch = 'B'; | ||||
|       if (static_cast<int32_t>(DAIKIN_DBG_LOWER(DAIKIN_ONE_SPACE)) <= -data[j] && | ||||
|           -data[j] <= static_cast<int32_t>(DAIKIN_DBG_UPPER(DAIKIN_ONE_SPACE))) | ||||
|       if (DAIKIN_DBG_LOWER(DAIKIN_ONE_SPACE) <= -data[j] && -data[j] <= DAIKIN_DBG_UPPER(DAIKIN_ONE_SPACE)) | ||||
|         type_ch = '1'; | ||||
|       if (static_cast<int32_t>(DAIKIN_DBG_LOWER(DAIKIN_ZERO_SPACE)) <= -data[j] && | ||||
|           -data[j] <= static_cast<int32_t>(DAIKIN_DBG_UPPER(DAIKIN_ZERO_SPACE))) | ||||
|       if (DAIKIN_DBG_LOWER(DAIKIN_ZERO_SPACE) <= -data[j] && -data[j] <= DAIKIN_DBG_UPPER(DAIKIN_ZERO_SPACE)) | ||||
|         type_ch = '0'; | ||||
|  | ||||
|       if (abs(data[j]) > 100000) { | ||||
| @@ -405,7 +400,7 @@ bool DaikinArcClimate::on_receive(remote_base::RemoteReceiveData data) { | ||||
|       } else { | ||||
|         sprintf(sbuf, "%s%-5d[%c] ", sbuf, (int) (round(data[j] / 10.) * 10), type_ch); | ||||
|       } | ||||
|       if (j + 1 == static_cast<size_t>(data.size())) { | ||||
|       if (j == data.size() - 1) { | ||||
|         ESP_LOGD(TAG, "DATA %04x: %s", (j - 8 > 0xffff ? 0 : j - 8), sbuf); | ||||
|       } | ||||
|     } | ||||
|   | ||||
| @@ -5,7 +5,7 @@ namespace dashboard_import { | ||||
|  | ||||
| static std::string g_package_import_url;  // NOLINT | ||||
|  | ||||
| const std::string &get_package_import_url() { return g_package_import_url; } | ||||
| std::string get_package_import_url() { return g_package_import_url; } | ||||
| void set_package_import_url(std::string url) { g_package_import_url = std::move(url); } | ||||
|  | ||||
| }  // namespace dashboard_import | ||||
|   | ||||
| @@ -5,7 +5,7 @@ | ||||
| namespace esphome { | ||||
| namespace dashboard_import { | ||||
|  | ||||
| const std::string &get_package_import_url(); | ||||
| std::string get_package_import_url(); | ||||
| void set_package_import_url(std::string url); | ||||
|  | ||||
| }  // namespace dashboard_import | ||||
|   | ||||
| @@ -30,12 +30,14 @@ class DateTimeBase : public EntityBase { | ||||
| #endif | ||||
| }; | ||||
|  | ||||
| #ifdef USE_TIME | ||||
| class DateTimeStateTrigger : public Trigger<ESPTime> { | ||||
|  public: | ||||
|   explicit DateTimeStateTrigger(DateTimeBase *parent) { | ||||
|     parent->add_on_state_callback([this, parent]() { this->trigger(parent->state_as_esptime()); }); | ||||
|   } | ||||
| }; | ||||
| #endif | ||||
|  | ||||
| }  // namespace datetime | ||||
| }  // namespace esphome | ||||
|   | ||||
| @@ -11,6 +11,8 @@ | ||||
| #include <esp_chip_info.h> | ||||
| #include <esp_partition.h> | ||||
|  | ||||
| #include <map> | ||||
|  | ||||
| #ifdef USE_ARDUINO | ||||
| #include <Esp.h> | ||||
| #endif | ||||
| @@ -123,12 +125,7 @@ void DebugComponent::log_partition_info_() { | ||||
|  | ||||
| uint32_t DebugComponent::get_free_heap_() { return heap_caps_get_free_size(MALLOC_CAP_INTERNAL); } | ||||
|  | ||||
| struct ChipFeature { | ||||
|   int bit; | ||||
|   const char *name; | ||||
| }; | ||||
|  | ||||
| static constexpr ChipFeature CHIP_FEATURES[] = { | ||||
| static const std::map<int, const char *> CHIP_FEATURES = { | ||||
|     {CHIP_FEATURE_BLE, "BLE"}, | ||||
|     {CHIP_FEATURE_BT, "BT"}, | ||||
|     {CHIP_FEATURE_EMB_FLASH, "EMB Flash"}, | ||||
| @@ -173,13 +170,11 @@ void DebugComponent::get_device_info_(std::string &device_info) { | ||||
|   esp_chip_info(&info); | ||||
|   const char *model = ESPHOME_VARIANT; | ||||
|   std::string features; | ||||
|  | ||||
|   // Check each known feature bit | ||||
|   for (const auto &feature : CHIP_FEATURES) { | ||||
|     if (info.features & feature.bit) { | ||||
|       features += feature.name; | ||||
|   for (auto feature : CHIP_FEATURES) { | ||||
|     if (info.features & feature.first) { | ||||
|       features += feature.second; | ||||
|       features += ", "; | ||||
|       info.features &= ~feature.bit; | ||||
|       info.features &= ~feature.first; | ||||
|     } | ||||
|   } | ||||
|   if (info.features != 0) | ||||
|   | ||||
| @@ -25,37 +25,10 @@ static void show_reset_reason(std::string &reset_reason, bool set, const char *r | ||||
|   reset_reason += reason; | ||||
| } | ||||
|  | ||||
| static inline uint32_t read_mem_u32(uintptr_t addr) { | ||||
| inline uint32_t read_mem_u32(uintptr_t addr) { | ||||
|   return *reinterpret_cast<volatile uint32_t *>(addr);  // NOLINT(performance-no-int-to-ptr) | ||||
| } | ||||
|  | ||||
| static inline uint8_t read_mem_u8(uintptr_t addr) { | ||||
|   return *reinterpret_cast<volatile uint8_t *>(addr);  // NOLINT(performance-no-int-to-ptr) | ||||
| } | ||||
|  | ||||
| // defines from https://github.com/adafruit/Adafruit_nRF52_Bootloader which prints those information | ||||
| constexpr uint32_t SD_MAGIC_NUMBER = 0x51B1E5DB; | ||||
| constexpr uintptr_t MBR_SIZE = 0x1000; | ||||
| constexpr uintptr_t SOFTDEVICE_INFO_STRUCT_OFFSET = 0x2000; | ||||
| constexpr uintptr_t SD_ID_OFFSET = SOFTDEVICE_INFO_STRUCT_OFFSET + 0x10; | ||||
| constexpr uintptr_t SD_VERSION_OFFSET = SOFTDEVICE_INFO_STRUCT_OFFSET + 0x14; | ||||
|  | ||||
| static inline bool is_sd_present() { | ||||
|   return read_mem_u32(SOFTDEVICE_INFO_STRUCT_OFFSET + MBR_SIZE + 4) == SD_MAGIC_NUMBER; | ||||
| } | ||||
| static inline uint32_t sd_id_get() { | ||||
|   if (read_mem_u8(MBR_SIZE + SOFTDEVICE_INFO_STRUCT_OFFSET) > (SD_ID_OFFSET - SOFTDEVICE_INFO_STRUCT_OFFSET)) { | ||||
|     return read_mem_u32(MBR_SIZE + SD_ID_OFFSET); | ||||
|   } | ||||
|   return 0; | ||||
| } | ||||
| static inline uint32_t sd_version_get() { | ||||
|   if (read_mem_u8(MBR_SIZE + SOFTDEVICE_INFO_STRUCT_OFFSET) > (SD_VERSION_OFFSET - SOFTDEVICE_INFO_STRUCT_OFFSET)) { | ||||
|     return read_mem_u32(MBR_SIZE + SD_VERSION_OFFSET); | ||||
|   } | ||||
|   return 0; | ||||
| } | ||||
|  | ||||
| std::string DebugComponent::get_reset_reason_() { | ||||
|   uint32_t cause; | ||||
|   auto ret = hwinfo_get_reset_cause(&cause); | ||||
| @@ -298,29 +271,6 @@ void DebugComponent::get_device_info_(std::string &device_info) { | ||||
|            NRF_UICR->NRFFW[0]); | ||||
|   ESP_LOGD(TAG, "MBR param page addr 0x%08x, UICR param page addr 0x%08x", read_mem_u32(MBR_PARAM_PAGE_ADDR), | ||||
|            NRF_UICR->NRFFW[1]); | ||||
|   if (is_sd_present()) { | ||||
|     uint32_t const sd_id = sd_id_get(); | ||||
|     uint32_t const sd_version = sd_version_get(); | ||||
|  | ||||
|     uint32_t ver[3]; | ||||
|     ver[0] = sd_version / 1000000; | ||||
|     ver[1] = (sd_version - ver[0] * 1000000) / 1000; | ||||
|     ver[2] = (sd_version - ver[0] * 1000000 - ver[1] * 1000); | ||||
|  | ||||
|     ESP_LOGD(TAG, "SoftDevice: S%u %u.%u.%u", sd_id, ver[0], ver[1], ver[2]); | ||||
| #ifdef USE_SOFTDEVICE_ID | ||||
| #ifdef USE_SOFTDEVICE_VERSION | ||||
|     if (USE_SOFTDEVICE_ID != sd_id || USE_SOFTDEVICE_VERSION != ver[0]) { | ||||
|       ESP_LOGE(TAG, "Built for SoftDevice S%u %u.x.y. It may crash due to mismatch of bootloader version.", | ||||
|                USE_SOFTDEVICE_ID, USE_SOFTDEVICE_VERSION); | ||||
|     } | ||||
| #else | ||||
|     if (USE_SOFTDEVICE_ID != sd_id) { | ||||
|       ESP_LOGE(TAG, "Built for SoftDevice S%u. It may crash due to mismatch of bootloader version.", USE_SOFTDEVICE_ID); | ||||
|     } | ||||
| #endif | ||||
| #endif | ||||
|   } | ||||
| #endif | ||||
| } | ||||
|  | ||||
|   | ||||
| @@ -82,14 +82,16 @@ class DemoClimate : public climate::Climate, public Component { | ||||
|     climate::ClimateTraits traits{}; | ||||
|     switch (type_) { | ||||
|       case DemoClimateType::TYPE_1: | ||||
|         traits.add_feature_flags(climate::CLIMATE_SUPPORTS_CURRENT_TEMPERATURE | climate::CLIMATE_SUPPORTS_ACTION); | ||||
|         traits.set_supports_current_temperature(true); | ||||
|         traits.set_supported_modes({ | ||||
|             climate::CLIMATE_MODE_OFF, | ||||
|             climate::CLIMATE_MODE_HEAT, | ||||
|         }); | ||||
|         traits.set_supports_action(true); | ||||
|         traits.set_visual_temperature_step(0.5); | ||||
|         break; | ||||
|       case DemoClimateType::TYPE_2: | ||||
|         traits.set_supports_current_temperature(false); | ||||
|         traits.set_supported_modes({ | ||||
|             climate::CLIMATE_MODE_OFF, | ||||
|             climate::CLIMATE_MODE_HEAT, | ||||
| @@ -98,7 +100,7 @@ class DemoClimate : public climate::Climate, public Component { | ||||
|             climate::CLIMATE_MODE_DRY, | ||||
|             climate::CLIMATE_MODE_FAN_ONLY, | ||||
|         }); | ||||
|         traits.add_feature_flags(climate::CLIMATE_SUPPORTS_ACTION); | ||||
|         traits.set_supports_action(true); | ||||
|         traits.set_supported_fan_modes({ | ||||
|             climate::CLIMATE_FAN_ON, | ||||
|             climate::CLIMATE_FAN_OFF, | ||||
| @@ -121,8 +123,8 @@ class DemoClimate : public climate::Climate, public Component { | ||||
|         traits.set_supported_custom_presets({"My Preset"}); | ||||
|         break; | ||||
|       case DemoClimateType::TYPE_3: | ||||
|         traits.add_feature_flags(climate::CLIMATE_SUPPORTS_CURRENT_TEMPERATURE | | ||||
|                                  climate::CLIMATE_SUPPORTS_TWO_POINT_TARGET_TEMPERATURE); | ||||
|         traits.set_supports_current_temperature(true); | ||||
|         traits.set_supports_two_point_target_temperature(true); | ||||
|         traits.set_supported_modes({ | ||||
|             climate::CLIMATE_MODE_OFF, | ||||
|             climate::CLIMATE_MODE_COOL, | ||||
|   | ||||
| @@ -775,7 +775,7 @@ void Display::test_card() { | ||||
|     int shift_y = (h - image_h) / 2; | ||||
|     int line_w = (image_w - 6) / 6; | ||||
|     int image_c = image_w / 2; | ||||
|     for (auto i = 0; i != image_h; i++) { | ||||
|     for (auto i = 0; i <= image_h; i++) { | ||||
|       int c = esp_scale(i, image_h); | ||||
|       this->horizontal_line(shift_x + 0, shift_y + i, line_w, r.fade_to_white(c)); | ||||
|       this->horizontal_line(shift_x + line_w, shift_y + i, line_w, r.fade_to_black(c));  // | ||||
| @@ -809,11 +809,8 @@ void Display::test_card() { | ||||
|       } | ||||
|     } | ||||
|   } | ||||
|   this->rectangle(0, 0, w, h, Color(127, 0, 127)); | ||||
|   this->filled_rectangle(0, 0, 10, 10, Color(255, 0, 255)); | ||||
|   this->filled_rectangle(w - 10, 0, 10, 10, Color(255, 0, 255)); | ||||
|   this->filled_rectangle(0, h - 10, 10, 10, Color(255, 0, 255)); | ||||
|   this->filled_rectangle(w - 10, h - 10, 10, 10, Color(255, 0, 255)); | ||||
|   this->rectangle(0, 0, w, h, Color(255, 255, 255)); | ||||
|   this->stop_poller(); | ||||
| } | ||||
|  | ||||
|   | ||||
| @@ -1 +0,0 @@ | ||||
| CODEOWNERS = ["@esphome/core"] | ||||
| @@ -1,80 +0,0 @@ | ||||
| from esphome import core, pins | ||||
| import esphome.codegen as cg | ||||
| from esphome.components import display, spi | ||||
| import esphome.config_validation as cv | ||||
| from esphome.const import ( | ||||
|     CONF_BUSY_PIN, | ||||
|     CONF_DC_PIN, | ||||
|     CONF_ID, | ||||
|     CONF_LAMBDA, | ||||
|     CONF_MODEL, | ||||
|     CONF_PAGES, | ||||
|     CONF_RESET_DURATION, | ||||
|     CONF_RESET_PIN, | ||||
| ) | ||||
|  | ||||
| AUTO_LOAD = ["split_buffer"] | ||||
| DEPENDENCIES = ["spi"] | ||||
|  | ||||
| epaper_spi_ns = cg.esphome_ns.namespace("epaper_spi") | ||||
| EPaperBase = epaper_spi_ns.class_( | ||||
|     "EPaperBase", cg.PollingComponent, spi.SPIDevice, display.DisplayBuffer | ||||
| ) | ||||
|  | ||||
| EPaperSpectraE6 = epaper_spi_ns.class_("EPaperSpectraE6", EPaperBase) | ||||
| EPaper7p3InSpectraE6 = epaper_spi_ns.class_("EPaper7p3InSpectraE6", EPaperSpectraE6) | ||||
|  | ||||
| MODELS = { | ||||
|     "7.3in-spectra-e6": EPaper7p3InSpectraE6, | ||||
| } | ||||
|  | ||||
|  | ||||
| CONFIG_SCHEMA = cv.All( | ||||
|     display.FULL_DISPLAY_SCHEMA.extend( | ||||
|         { | ||||
|             cv.GenerateID(): cv.declare_id(EPaperBase), | ||||
|             cv.Required(CONF_DC_PIN): pins.gpio_output_pin_schema, | ||||
|             cv.Required(CONF_MODEL): cv.one_of(*MODELS, lower=True, space="-"), | ||||
|             cv.Optional(CONF_RESET_PIN): pins.gpio_output_pin_schema, | ||||
|             cv.Optional(CONF_BUSY_PIN): pins.gpio_input_pin_schema, | ||||
|             cv.Optional(CONF_RESET_DURATION): cv.All( | ||||
|                 cv.positive_time_period_milliseconds, | ||||
|                 cv.Range(max=core.TimePeriod(milliseconds=500)), | ||||
|             ), | ||||
|         } | ||||
|     ) | ||||
|     .extend(cv.polling_component_schema("60s")) | ||||
|     .extend(spi.spi_device_schema()), | ||||
|     cv.has_at_most_one_key(CONF_PAGES, CONF_LAMBDA), | ||||
| ) | ||||
|  | ||||
| FINAL_VALIDATE_SCHEMA = spi.final_validate_device_schema( | ||||
|     "epaper_spi", require_miso=False, require_mosi=True | ||||
| ) | ||||
|  | ||||
|  | ||||
| async def to_code(config): | ||||
|     model = MODELS[config[CONF_MODEL]] | ||||
|  | ||||
|     rhs = model.new() | ||||
|     var = cg.Pvariable(config[CONF_ID], rhs, model) | ||||
|  | ||||
|     await display.register_display(var, config) | ||||
|     await spi.register_spi_device(var, config) | ||||
|  | ||||
|     dc = await cg.gpio_pin_expression(config[CONF_DC_PIN]) | ||||
|     cg.add(var.set_dc_pin(dc)) | ||||
|  | ||||
|     if CONF_LAMBDA in config: | ||||
|         lambda_ = await cg.process_lambda( | ||||
|             config[CONF_LAMBDA], [(display.DisplayRef, "it")], return_type=cg.void | ||||
|         ) | ||||
|         cg.add(var.set_writer(lambda_)) | ||||
|     if CONF_RESET_PIN in config: | ||||
|         reset = await cg.gpio_pin_expression(config[CONF_RESET_PIN]) | ||||
|         cg.add(var.set_reset_pin(reset)) | ||||
|     if CONF_BUSY_PIN in config: | ||||
|         busy = await cg.gpio_pin_expression(config[CONF_BUSY_PIN]) | ||||
|         cg.add(var.set_busy_pin(busy)) | ||||
|     if CONF_RESET_DURATION in config: | ||||
|         cg.add(var.set_reset_duration(config[CONF_RESET_DURATION])) | ||||
| @@ -1,227 +0,0 @@ | ||||
| #include "epaper_spi.h" | ||||
| #include <cinttypes> | ||||
| #include "esphome/core/application.h" | ||||
| #include "esphome/core/helpers.h" | ||||
| #include "esphome/core/log.h" | ||||
|  | ||||
| namespace esphome::epaper_spi { | ||||
|  | ||||
| static const char *const TAG = "epaper_spi"; | ||||
|  | ||||
| static const LogString *epaper_state_to_string(EPaperState state) { | ||||
|   switch (state) { | ||||
|     case EPaperState::IDLE: | ||||
|       return LOG_STR("IDLE"); | ||||
|     case EPaperState::UPDATE: | ||||
|       return LOG_STR("UPDATE"); | ||||
|     case EPaperState::RESET: | ||||
|       return LOG_STR("RESET"); | ||||
|     case EPaperState::INITIALISE: | ||||
|       return LOG_STR("INITIALISE"); | ||||
|     case EPaperState::TRANSFER_DATA: | ||||
|       return LOG_STR("TRANSFER_DATA"); | ||||
|     case EPaperState::POWER_ON: | ||||
|       return LOG_STR("POWER_ON"); | ||||
|     case EPaperState::REFRESH_SCREEN: | ||||
|       return LOG_STR("REFRESH_SCREEN"); | ||||
|     case EPaperState::POWER_OFF: | ||||
|       return LOG_STR("POWER_OFF"); | ||||
|     case EPaperState::DEEP_SLEEP: | ||||
|       return LOG_STR("DEEP_SLEEP"); | ||||
|     default: | ||||
|       return LOG_STR("UNKNOWN"); | ||||
|   } | ||||
| } | ||||
|  | ||||
| void EPaperBase::setup() { | ||||
|   if (!this->init_buffer_(this->get_buffer_length())) { | ||||
|     this->mark_failed("Failed to initialise buffer"); | ||||
|     return; | ||||
|   } | ||||
|   this->setup_pins_(); | ||||
|   this->spi_setup(); | ||||
| } | ||||
|  | ||||
| bool EPaperBase::init_buffer_(size_t buffer_length) { | ||||
|   if (!this->buffer_.init(buffer_length)) { | ||||
|     return false; | ||||
|   } | ||||
|   this->clear(); | ||||
|   return true; | ||||
| } | ||||
|  | ||||
| void EPaperBase::setup_pins_() { | ||||
|   this->dc_pin_->setup();  // OUTPUT | ||||
|   this->dc_pin_->digital_write(false); | ||||
|  | ||||
|   if (this->reset_pin_ != nullptr) { | ||||
|     this->reset_pin_->setup();  // OUTPUT | ||||
|     this->reset_pin_->digital_write(true); | ||||
|   } | ||||
|  | ||||
|   if (this->busy_pin_ != nullptr) { | ||||
|     this->busy_pin_->setup();  // INPUT | ||||
|   } | ||||
| } | ||||
|  | ||||
| float EPaperBase::get_setup_priority() const { return setup_priority::PROCESSOR; } | ||||
|  | ||||
| void EPaperBase::command(uint8_t value) { | ||||
|   this->start_command_(); | ||||
|   this->write_byte(value); | ||||
|   this->end_command_(); | ||||
| } | ||||
|  | ||||
| void EPaperBase::data(uint8_t value) { | ||||
|   this->start_data_(); | ||||
|   this->write_byte(value); | ||||
|   this->end_data_(); | ||||
| } | ||||
|  | ||||
| // write a command followed by zero or more bytes of data. | ||||
| // The command is the first byte, length is the length of data only in the second byte, followed by the data. | ||||
| // [COMMAND, LENGTH, DATA...] | ||||
| void EPaperBase::cmd_data(const uint8_t *data) { | ||||
|   const uint8_t command = data[0]; | ||||
|   const uint8_t length = data[1]; | ||||
|   const uint8_t *ptr = data + 2; | ||||
|  | ||||
|   ESP_LOGVV(TAG, "Command: 0x%02X, Length: %d, Data: %s", command, length, | ||||
|             format_hex_pretty(ptr, length, '.', false).c_str()); | ||||
|  | ||||
|   this->dc_pin_->digital_write(false); | ||||
|   this->enable(); | ||||
|   this->write_byte(command); | ||||
|   if (length > 0) { | ||||
|     this->dc_pin_->digital_write(true); | ||||
|     this->write_array(ptr, length); | ||||
|   } | ||||
|   this->disable(); | ||||
| } | ||||
|  | ||||
| bool EPaperBase::is_idle_() { | ||||
|   if (this->busy_pin_ == nullptr) { | ||||
|     return true; | ||||
|   } | ||||
|   return this->busy_pin_->digital_read(); | ||||
| } | ||||
|  | ||||
| void EPaperBase::reset() { | ||||
|   if (this->reset_pin_ != nullptr) { | ||||
|     this->reset_pin_->digital_write(false); | ||||
|     this->disable_loop(); | ||||
|     this->set_timeout(this->reset_duration_, [this] { | ||||
|       this->reset_pin_->digital_write(true); | ||||
|       this->set_timeout(20, [this] { this->enable_loop(); }); | ||||
|     }); | ||||
|   } | ||||
| } | ||||
|  | ||||
| void EPaperBase::update() { | ||||
|   if (!this->state_queue_.empty()) { | ||||
|     ESP_LOGE(TAG, "Display update already in progress - %s", | ||||
|              LOG_STR_ARG(epaper_state_to_string(this->state_queue_.front()))); | ||||
|     return; | ||||
|   } | ||||
|  | ||||
|   this->state_queue_.push(EPaperState::UPDATE); | ||||
|   this->state_queue_.push(EPaperState::RESET); | ||||
|   this->state_queue_.push(EPaperState::INITIALISE); | ||||
|   this->state_queue_.push(EPaperState::TRANSFER_DATA); | ||||
|   this->state_queue_.push(EPaperState::POWER_ON); | ||||
|   this->state_queue_.push(EPaperState::REFRESH_SCREEN); | ||||
|   this->state_queue_.push(EPaperState::POWER_OFF); | ||||
|   this->state_queue_.push(EPaperState::DEEP_SLEEP); | ||||
|   this->state_queue_.push(EPaperState::IDLE); | ||||
|  | ||||
|   this->enable_loop(); | ||||
| } | ||||
|  | ||||
| void EPaperBase::loop() { | ||||
|   if (this->waiting_for_idle_) { | ||||
|     if (this->is_idle_()) { | ||||
|       this->waiting_for_idle_ = false; | ||||
|     } else { | ||||
|       if (App.get_loop_component_start_time() - this->waiting_for_idle_last_print_ >= 1000) { | ||||
|         ESP_LOGV(TAG, "Waiting for idle"); | ||||
|         this->waiting_for_idle_last_print_ = App.get_loop_component_start_time(); | ||||
|       } | ||||
|       return; | ||||
|     } | ||||
|   } | ||||
|  | ||||
|   auto state = this->state_queue_.front(); | ||||
|  | ||||
|   switch (state) { | ||||
|     case EPaperState::IDLE: | ||||
|       this->disable_loop(); | ||||
|       break; | ||||
|     case EPaperState::UPDATE: | ||||
|       this->do_update_();  // Calls ESPHome (current page) lambda | ||||
|       break; | ||||
|     case EPaperState::RESET: | ||||
|       this->reset(); | ||||
|       break; | ||||
|     case EPaperState::INITIALISE: | ||||
|       this->initialise_(); | ||||
|       break; | ||||
|     case EPaperState::TRANSFER_DATA: | ||||
|       if (!this->transfer_data()) { | ||||
|         return;  // Not done yet, come back next loop | ||||
|       } | ||||
|       break; | ||||
|     case EPaperState::POWER_ON: | ||||
|       this->power_on(); | ||||
|       break; | ||||
|     case EPaperState::REFRESH_SCREEN: | ||||
|       this->refresh_screen(); | ||||
|       break; | ||||
|     case EPaperState::POWER_OFF: | ||||
|       this->power_off(); | ||||
|       break; | ||||
|     case EPaperState::DEEP_SLEEP: | ||||
|       this->deep_sleep(); | ||||
|       break; | ||||
|   } | ||||
|   this->state_queue_.pop(); | ||||
| } | ||||
|  | ||||
| void EPaperBase::start_command_() { | ||||
|   this->dc_pin_->digital_write(false); | ||||
|   this->enable(); | ||||
| } | ||||
|  | ||||
| void EPaperBase::end_command_() { this->disable(); } | ||||
|  | ||||
| void EPaperBase::start_data_() { | ||||
|   this->dc_pin_->digital_write(true); | ||||
|   this->enable(); | ||||
| } | ||||
| void EPaperBase::end_data_() { this->disable(); } | ||||
|  | ||||
| void EPaperBase::on_safe_shutdown() { this->deep_sleep(); } | ||||
|  | ||||
| void EPaperBase::initialise_() { | ||||
|   size_t index = 0; | ||||
|   const auto &sequence = this->init_sequence_; | ||||
|   const size_t sequence_size = this->init_sequence_length_; | ||||
|   while (index != sequence_size) { | ||||
|     if (sequence_size - index < 2) { | ||||
|       this->mark_failed("Malformed init sequence"); | ||||
|       return; | ||||
|     } | ||||
|     const auto *ptr = sequence + index; | ||||
|     const uint8_t length = ptr[1]; | ||||
|     if (sequence_size - index < length + 2) { | ||||
|       this->mark_failed("Malformed init sequence"); | ||||
|       return; | ||||
|     } | ||||
|  | ||||
|     this->cmd_data(ptr); | ||||
|     index += length + 2; | ||||
|   } | ||||
|  | ||||
|   this->power_on(); | ||||
| } | ||||
|  | ||||
| }  // namespace esphome::epaper_spi | ||||
| @@ -1,93 +0,0 @@ | ||||
| #pragma once | ||||
|  | ||||
| #include "esphome/components/display/display_buffer.h" | ||||
| #include "esphome/components/spi/spi.h" | ||||
| #include "esphome/components/split_buffer/split_buffer.h" | ||||
| #include "esphome/core/component.h" | ||||
|  | ||||
| #include <queue> | ||||
|  | ||||
| namespace esphome::epaper_spi { | ||||
|  | ||||
| enum class EPaperState : uint8_t { | ||||
|   IDLE, | ||||
|   UPDATE, | ||||
|   RESET, | ||||
|   INITIALISE, | ||||
|   TRANSFER_DATA, | ||||
|   POWER_ON, | ||||
|   REFRESH_SCREEN, | ||||
|   POWER_OFF, | ||||
|   DEEP_SLEEP, | ||||
| }; | ||||
|  | ||||
| static const uint8_t MAX_TRANSFER_TIME = 10;  // Transfer in 10ms blocks to allow the loop to run | ||||
|  | ||||
| class EPaperBase : public display::DisplayBuffer, | ||||
|                    public spi::SPIDevice<spi::BIT_ORDER_MSB_FIRST, spi::CLOCK_POLARITY_LOW, spi::CLOCK_PHASE_LEADING, | ||||
|                                          spi::DATA_RATE_2MHZ> { | ||||
|  public: | ||||
|   EPaperBase(const uint8_t *init_sequence, const size_t init_sequence_length) | ||||
|       : init_sequence_length_(init_sequence_length), init_sequence_(init_sequence) {} | ||||
|   void set_dc_pin(GPIOPin *dc_pin) { dc_pin_ = dc_pin; } | ||||
|   float get_setup_priority() const override; | ||||
|   void set_reset_pin(GPIOPin *reset) { this->reset_pin_ = reset; } | ||||
|   void set_busy_pin(GPIOPin *busy) { this->busy_pin_ = busy; } | ||||
|   void set_reset_duration(uint32_t reset_duration) { this->reset_duration_ = reset_duration; } | ||||
|  | ||||
|   void command(uint8_t value); | ||||
|   void data(uint8_t value); | ||||
|   void cmd_data(const uint8_t *data); | ||||
|  | ||||
|   void update() override; | ||||
|   void loop() override; | ||||
|  | ||||
|   void setup() override; | ||||
|  | ||||
|   void on_safe_shutdown() override; | ||||
|  | ||||
|  protected: | ||||
|   bool is_idle_(); | ||||
|   void setup_pins_(); | ||||
|   virtual void reset(); | ||||
|   void initialise_(); | ||||
|   bool init_buffer_(size_t buffer_length); | ||||
|  | ||||
|   virtual int get_width_controller() { return this->get_width_internal(); }; | ||||
|   virtual void deep_sleep() = 0; | ||||
|   /** | ||||
|    * Send data to the device via SPI | ||||
|    * @return true if done, false if should be called next loop | ||||
|    */ | ||||
|   virtual bool transfer_data() = 0; | ||||
|   virtual void refresh_screen() = 0; | ||||
|  | ||||
|   virtual void power_on() = 0; | ||||
|   virtual void power_off() = 0; | ||||
|   virtual uint32_t get_buffer_length() = 0; | ||||
|  | ||||
|   void start_command_(); | ||||
|   void end_command_(); | ||||
|   void start_data_(); | ||||
|   void end_data_(); | ||||
|  | ||||
|   const size_t init_sequence_length_{0}; | ||||
|  | ||||
|   size_t current_data_index_{0}; | ||||
|   uint32_t reset_duration_{200}; | ||||
|   uint32_t waiting_for_idle_last_print_{0}; | ||||
|  | ||||
|   GPIOPin *dc_pin_; | ||||
|   GPIOPin *busy_pin_{nullptr}; | ||||
|   GPIOPin *reset_pin_{nullptr}; | ||||
|  | ||||
|   const uint8_t *init_sequence_{nullptr}; | ||||
|  | ||||
|   bool waiting_for_idle_{false}; | ||||
|  | ||||
|   split_buffer::SplitBuffer buffer_; | ||||
|  | ||||
|   std::queue<EPaperState> state_queue_{{EPaperState::IDLE}}; | ||||
| }; | ||||
|  | ||||
| }  // namespace esphome::epaper_spi | ||||
| @@ -1,42 +0,0 @@ | ||||
| #include "epaper_spi_model_7p3in_spectra_e6.h" | ||||
|  | ||||
| namespace esphome::epaper_spi { | ||||
|  | ||||
| static constexpr const char *const TAG = "epaper_spi.7.3in-spectra-e6"; | ||||
|  | ||||
| void EPaper7p3InSpectraE6::power_on() { | ||||
|   ESP_LOGI(TAG, "Power on"); | ||||
|   this->command(0x04); | ||||
|   this->waiting_for_idle_ = true; | ||||
| } | ||||
|  | ||||
| void EPaper7p3InSpectraE6::power_off() { | ||||
|   ESP_LOGI(TAG, "Power off"); | ||||
|   this->command(0x02); | ||||
|   this->data(0x00); | ||||
|   this->waiting_for_idle_ = true; | ||||
| } | ||||
|  | ||||
| void EPaper7p3InSpectraE6::refresh_screen() { | ||||
|   ESP_LOGI(TAG, "Refresh"); | ||||
|   this->command(0x12); | ||||
|   this->data(0x00); | ||||
|   this->waiting_for_idle_ = true; | ||||
| } | ||||
|  | ||||
| void EPaper7p3InSpectraE6::deep_sleep() { | ||||
|   ESP_LOGI(TAG, "Deep sleep"); | ||||
|   this->command(0x07); | ||||
|   this->data(0xA5); | ||||
| } | ||||
|  | ||||
| void EPaper7p3InSpectraE6::dump_config() { | ||||
|   LOG_DISPLAY("", "E-Paper SPI", this); | ||||
|   ESP_LOGCONFIG(TAG, "  Model: 7.3in Spectra E6"); | ||||
|   LOG_PIN("  Reset Pin: ", this->reset_pin_); | ||||
|   LOG_PIN("  DC Pin: ", this->dc_pin_); | ||||
|   LOG_PIN("  Busy Pin: ", this->busy_pin_); | ||||
|   LOG_UPDATE_INTERVAL(this); | ||||
| } | ||||
|  | ||||
| }  // namespace esphome::epaper_spi | ||||
| @@ -1,45 +0,0 @@ | ||||
| #pragma once | ||||
|  | ||||
| #include "epaper_spi_spectra_e6.h" | ||||
|  | ||||
| namespace esphome::epaper_spi { | ||||
|  | ||||
| class EPaper7p3InSpectraE6 : public EPaperSpectraE6 { | ||||
|   static constexpr const uint16_t WIDTH = 800; | ||||
|   static constexpr const uint16_t HEIGHT = 480; | ||||
|   // clang-format off | ||||
|  | ||||
|   // Command, data length, data | ||||
|   static constexpr uint8_t INIT_SEQUENCE[] = { | ||||
|     0xAA, 6, 0x49, 0x55, 0x20, 0x08, 0x09, 0x18, | ||||
|     0x01, 1, 0x3F, | ||||
|     0x00, 2, 0x5F, 0x69, | ||||
|     0x03, 4, 0x00, 0x54, 0x00, 0x44, | ||||
|     0x05, 4, 0x40, 0x1F, 0x1F, 0x2C, | ||||
|     0x06, 4, 0x6F, 0x1F, 0x17, 0x49, | ||||
|     0x08, 4, 0x6F, 0x1F, 0x1F, 0x22, | ||||
|     0x30, 1, 0x03, | ||||
|     0x50, 1, 0x3F, | ||||
|     0x60, 2, 0x02, 0x00, | ||||
|     0x61, 4, WIDTH / 256, WIDTH % 256, HEIGHT / 256, HEIGHT % 256, | ||||
|     0x84, 1, 0x01, | ||||
|     0xE3, 1, 0x2F, | ||||
|   }; | ||||
|   // clang-format on | ||||
|  | ||||
|  public: | ||||
|   EPaper7p3InSpectraE6() : EPaperSpectraE6(INIT_SEQUENCE, sizeof(INIT_SEQUENCE)) {} | ||||
|  | ||||
|   void dump_config() override; | ||||
|  | ||||
|  protected: | ||||
|   int get_width_internal() override { return WIDTH; }; | ||||
|   int get_height_internal() override { return HEIGHT; }; | ||||
|  | ||||
|   void refresh_screen() override; | ||||
|   void power_on() override; | ||||
|   void power_off() override; | ||||
|   void deep_sleep() override; | ||||
| }; | ||||
|  | ||||
| }  // namespace esphome::epaper_spi | ||||
| @@ -1,135 +0,0 @@ | ||||
| #include "epaper_spi_spectra_e6.h" | ||||
|  | ||||
| #include "esphome/core/log.h" | ||||
|  | ||||
| namespace esphome::epaper_spi { | ||||
|  | ||||
| static constexpr const char *const TAG = "epaper_spi.6c"; | ||||
|  | ||||
| static inline uint8_t color_to_hex(Color color) { | ||||
|   if (color.red > 127) { | ||||
|     if (color.green > 170) { | ||||
|       if (color.blue > 127) { | ||||
|         return 0x1;  // White | ||||
|       } else { | ||||
|         return 0x2;  // Yellow | ||||
|       } | ||||
|     } else { | ||||
|       return 0x3;  // Red (or Magenta) | ||||
|     } | ||||
|   } else { | ||||
|     if (color.green > 127) { | ||||
|       if (color.blue > 127) { | ||||
|         return 0x5;  // Cyan -> Blue | ||||
|       } else { | ||||
|         return 0x6;  // Green | ||||
|       } | ||||
|     } else { | ||||
|       if (color.blue > 127) { | ||||
|         return 0x5;  // Blue | ||||
|       } else { | ||||
|         return 0x0;  // Black | ||||
|       } | ||||
|     } | ||||
|   } | ||||
| } | ||||
|  | ||||
| void EPaperSpectraE6::fill(Color color) { | ||||
|   uint8_t pixel_color; | ||||
|   if (color.is_on()) { | ||||
|     pixel_color = color_to_hex(color); | ||||
|   } else { | ||||
|     pixel_color = 0x1; | ||||
|   } | ||||
|  | ||||
|   // We store 8 bitset<3> in 3 bytes | ||||
|   // | byte 1 | byte 2 | byte 3 | | ||||
|   // |aaabbbaa|abbbaaab|bbaaabbb| | ||||
|   uint8_t byte_1 = pixel_color << 5 | pixel_color << 2 | pixel_color >> 1; | ||||
|   uint8_t byte_2 = pixel_color << 7 | pixel_color << 4 | pixel_color << 1 | pixel_color >> 2; | ||||
|   uint8_t byte_3 = pixel_color << 6 | pixel_color << 3 | pixel_color << 0; | ||||
|  | ||||
|   const size_t buffer_length = this->get_buffer_length(); | ||||
|   for (size_t i = 0; i < buffer_length; i += 3) { | ||||
|     this->buffer_[i + 0] = byte_1; | ||||
|     this->buffer_[i + 1] = byte_2; | ||||
|     this->buffer_[i + 2] = byte_3; | ||||
|   } | ||||
| } | ||||
|  | ||||
| uint32_t EPaperSpectraE6::get_buffer_length() { | ||||
|   // 6 colors buffer, 1 pixel = 3 bits, we will store 8 pixels in 24 bits = 3 bytes | ||||
|   return this->get_width_controller() * this->get_height_internal() / 8u * 3u; | ||||
| } | ||||
|  | ||||
| void HOT EPaperSpectraE6::draw_absolute_pixel_internal(int x, int y, Color color) { | ||||
|   if (x >= this->get_width_internal() || y >= this->get_height_internal() || x < 0 || y < 0) | ||||
|     return; | ||||
|  | ||||
|   uint8_t pixel_bits = color_to_hex(color); | ||||
|   uint32_t pixel_position = x + y * this->get_width_controller(); | ||||
|   uint32_t first_bit_position = pixel_position * 3; | ||||
|   uint32_t byte_position = first_bit_position / 8u; | ||||
|   uint32_t byte_subposition = first_bit_position % 8u; | ||||
|  | ||||
|   if (byte_subposition <= 5) { | ||||
|     this->buffer_[byte_position] = (this->buffer_[byte_position] & (0xFF ^ (0b111 << (5 - byte_subposition)))) | | ||||
|                                    (pixel_bits << (5 - byte_subposition)); | ||||
|   } else { | ||||
|     this->buffer_[byte_position] = (this->buffer_[byte_position] & (0xFF ^ (0b111 >> (byte_subposition - 5)))) | | ||||
|                                    (pixel_bits >> (byte_subposition - 5)); | ||||
|  | ||||
|     this->buffer_[byte_position + 1] = | ||||
|         (this->buffer_[byte_position + 1] & (0xFF ^ (0xFF & (0b111 << (13 - byte_subposition))))) | | ||||
|         (pixel_bits << (13 - byte_subposition)); | ||||
|   } | ||||
| } | ||||
|  | ||||
| bool HOT EPaperSpectraE6::transfer_data() { | ||||
|   const uint32_t start_time = App.get_loop_component_start_time(); | ||||
|   if (this->current_data_index_ == 0) { | ||||
|     ESP_LOGV(TAG, "Sending data"); | ||||
|     this->command(0x10); | ||||
|   } | ||||
|  | ||||
|   uint8_t bytes_to_send[4]{0}; | ||||
|   const size_t buffer_length = this->get_buffer_length(); | ||||
|   for (size_t i = this->current_data_index_; i < buffer_length; i += 3) { | ||||
|     const uint32_t triplet = encode_uint24(this->buffer_[i + 0], this->buffer_[i + 1], this->buffer_[i + 2]); | ||||
|     // 8 pixels are stored in 3 bytes | ||||
|     // |aaabbbaa|abbbaaab|bbaaabbb| | ||||
|     // | byte 1 | byte 2 | byte 3 | | ||||
|     bytes_to_send[0] = ((triplet >> 17) & 0b01110000) | ((triplet >> 18) & 0b00000111); | ||||
|     bytes_to_send[1] = ((triplet >> 11) & 0b01110000) | ((triplet >> 12) & 0b00000111); | ||||
|     bytes_to_send[2] = ((triplet >> 5) & 0b01110000) | ((triplet >> 6) & 0b00000111); | ||||
|     bytes_to_send[3] = ((triplet << 1) & 0b01110000) | ((triplet << 0) & 0b00000111); | ||||
|  | ||||
|     this->start_data_(); | ||||
|     this->write_array(bytes_to_send, sizeof(bytes_to_send)); | ||||
|     this->end_data_(); | ||||
|  | ||||
|     if (millis() - start_time > MAX_TRANSFER_TIME) { | ||||
|       // Let the main loop run and come back next loop | ||||
|       this->current_data_index_ = i + 3; | ||||
|       return false; | ||||
|     } | ||||
|   } | ||||
|   // Finished the entire dataset | ||||
|   this->current_data_index_ = 0; | ||||
|   return true; | ||||
| } | ||||
|  | ||||
| void EPaperSpectraE6::reset() { | ||||
|   if (this->reset_pin_ != nullptr) { | ||||
|     this->disable_loop(); | ||||
|     this->reset_pin_->digital_write(true); | ||||
|     this->set_timeout(20, [this] { | ||||
|       this->reset_pin_->digital_write(false); | ||||
|       delay(2); | ||||
|       this->reset_pin_->digital_write(true); | ||||
|       this->set_timeout(20, [this] { this->enable_loop(); }); | ||||
|     }); | ||||
|   } | ||||
| } | ||||
|  | ||||
| }  // namespace esphome::epaper_spi | ||||
| @@ -1,23 +0,0 @@ | ||||
| #pragma once | ||||
|  | ||||
| #include "epaper_spi.h" | ||||
|  | ||||
| namespace esphome::epaper_spi { | ||||
|  | ||||
| class EPaperSpectraE6 : public EPaperBase { | ||||
|  public: | ||||
|   EPaperSpectraE6(const uint8_t *init_sequence, const size_t init_sequence_length) | ||||
|       : EPaperBase(init_sequence, init_sequence_length) {} | ||||
|  | ||||
|   display::DisplayType get_display_type() override { return display::DisplayType::DISPLAY_TYPE_COLOR; } | ||||
|   void fill(Color color) override; | ||||
|  | ||||
|  protected: | ||||
|   void draw_absolute_pixel_internal(int x, int y, Color color) override; | ||||
|   uint32_t get_buffer_length() override; | ||||
|  | ||||
|   bool transfer_data() override; | ||||
|   void reset() override; | ||||
| }; | ||||
|  | ||||
| }  // namespace esphome::epaper_spi | ||||
| @@ -97,12 +97,12 @@ bool ES7210::set_mic_gain(float mic_gain) { | ||||
| } | ||||
|  | ||||
| bool ES7210::configure_sample_rate_() { | ||||
|   uint32_t mclk_fre = this->sample_rate_ * MCLK_DIV_FRE; | ||||
|   int mclk_fre = this->sample_rate_ * MCLK_DIV_FRE; | ||||
|   int coeff = -1; | ||||
|  | ||||
|   for (size_t i = 0; i < (sizeof(ES7210_COEFFICIENTS) / sizeof(ES7210_COEFFICIENTS[0])); ++i) { | ||||
|   for (int i = 0; i < (sizeof(ES7210_COEFFICIENTS) / sizeof(ES7210_COEFFICIENTS[0])); ++i) { | ||||
|     if (ES7210_COEFFICIENTS[i].lrclk == this->sample_rate_ && ES7210_COEFFICIENTS[i].mclk == mclk_fre) | ||||
|       coeff = static_cast<int>(i); | ||||
|       coeff = i; | ||||
|   } | ||||
|  | ||||
|   if (coeff >= 0) { | ||||
|   | ||||
| @@ -1,4 +1,3 @@ | ||||
| import contextlib | ||||
| from dataclasses import dataclass | ||||
| import itertools | ||||
| import logging | ||||
| @@ -103,10 +102,6 @@ COMPILER_OPTIMIZATIONS = { | ||||
|     "SIZE": "CONFIG_COMPILER_OPTIMIZATION_SIZE", | ||||
| } | ||||
|  | ||||
| # Socket limit configuration for ESP-IDF | ||||
| # ESP-IDF CONFIG_LWIP_MAX_SOCKETS has range 1-253, default 10 | ||||
| DEFAULT_MAX_SOCKETS = 10  # ESP-IDF default | ||||
|  | ||||
| ARDUINO_ALLOWED_VARIANTS = [ | ||||
|     VARIANT_ESP32, | ||||
|     VARIANT_ESP32C3, | ||||
| @@ -301,25 +296,19 @@ def _format_framework_arduino_version(ver: cv.Version) -> str: | ||||
|     return f"pioarduino/framework-arduinoespressif32@https://github.com/espressif/arduino-esp32/releases/download/{str(ver)}/esp32-{str(ver)}.zip" | ||||
|  | ||||
|  | ||||
| def _format_framework_espidf_version(ver: cv.Version, release: str) -> str: | ||||
|     # format the given espidf (https://github.com/pioarduino/esp-idf/releases) version to | ||||
| def _format_framework_espidf_version( | ||||
|     ver: cv.Version, release: str, for_platformio: bool | ||||
| ) -> str: | ||||
|     # format the given arduino (https://github.com/espressif/esp-idf/releases) version to | ||||
|     # a PIO platformio/framework-espidf value | ||||
|     # List of package versions: https://api.registry.platformio.org/v3/packages/platformio/tool/framework-espidf | ||||
|     if for_platformio: | ||||
|         return f"platformio/framework-espidf@~3.{ver.major}{ver.minor:02d}{ver.patch:02d}.0" | ||||
|     if release: | ||||
|         return f"pioarduino/framework-espidf@https://github.com/pioarduino/esp-idf/releases/download/v{str(ver)}.{release}/esp-idf-v{str(ver)}.zip" | ||||
|     return f"pioarduino/framework-espidf@https://github.com/pioarduino/esp-idf/releases/download/v{str(ver)}/esp-idf-v{str(ver)}.zip" | ||||
|  | ||||
|  | ||||
| def _is_framework_url(source: str) -> str: | ||||
|     # platformio accepts many URL schemes for framework repositories and archives including http, https, git, file, and symlink | ||||
|     import urllib.parse | ||||
|  | ||||
|     try: | ||||
|         parsed = urllib.parse.urlparse(source) | ||||
|     except ValueError: | ||||
|         return False | ||||
|     return bool(parsed.scheme) | ||||
|  | ||||
|  | ||||
| # NOTE: Keep this in mind when updating the recommended version: | ||||
| #  * New framework historically have had some regressions, especially for WiFi. | ||||
| #    The new version needs to be thoroughly validated before changing the | ||||
| @@ -328,115 +317,157 @@ def _is_framework_url(source: str) -> str: | ||||
|  | ||||
| # The default/recommended arduino framework version | ||||
| #  - https://github.com/espressif/arduino-esp32/releases | ||||
| ARDUINO_FRAMEWORK_VERSION_LOOKUP = { | ||||
|     "recommended": cv.Version(3, 3, 2), | ||||
|     "latest": cv.Version(3, 3, 2), | ||||
|     "dev": cv.Version(3, 3, 2), | ||||
| } | ||||
| ARDUINO_PLATFORM_VERSION_LOOKUP = { | ||||
|     cv.Version(3, 3, 2): cv.Version(55, 3, 31, "1"), | ||||
|     cv.Version(3, 3, 1): cv.Version(55, 3, 31, "1"), | ||||
|     cv.Version(3, 3, 0): cv.Version(55, 3, 30, "2"), | ||||
|     cv.Version(3, 2, 1): cv.Version(54, 3, 21, "2"), | ||||
|     cv.Version(3, 2, 0): cv.Version(54, 3, 20), | ||||
|     cv.Version(3, 1, 3): cv.Version(53, 3, 13), | ||||
|     cv.Version(3, 1, 2): cv.Version(53, 3, 12), | ||||
|     cv.Version(3, 1, 1): cv.Version(53, 3, 11), | ||||
|     cv.Version(3, 1, 0): cv.Version(53, 3, 10), | ||||
| } | ||||
| RECOMMENDED_ARDUINO_FRAMEWORK_VERSION = cv.Version(3, 2, 1) | ||||
| # The platform-espressif32 version to use for arduino frameworks | ||||
| #  - https://github.com/pioarduino/platform-espressif32/releases | ||||
| ARDUINO_PLATFORM_VERSION = cv.Version(54, 3, 21, "2") | ||||
|  | ||||
| # The default/recommended esp-idf framework version | ||||
| #  - https://github.com/espressif/esp-idf/releases | ||||
| ESP_IDF_FRAMEWORK_VERSION_LOOKUP = { | ||||
|     "recommended": cv.Version(5, 5, 1), | ||||
|     "latest": cv.Version(5, 5, 1), | ||||
|     "dev": cv.Version(5, 5, 1), | ||||
| } | ||||
| ESP_IDF_PLATFORM_VERSION_LOOKUP = { | ||||
|     cv.Version(5, 5, 1): cv.Version(55, 3, 31, "1"), | ||||
|     cv.Version(5, 5, 0): cv.Version(55, 3, 31, "1"), | ||||
|     cv.Version(5, 4, 2): cv.Version(54, 3, 21, "2"), | ||||
|     cv.Version(5, 4, 1): cv.Version(54, 3, 21, "2"), | ||||
|     cv.Version(5, 4, 0): cv.Version(54, 3, 21, "2"), | ||||
|     cv.Version(5, 3, 2): cv.Version(53, 3, 13), | ||||
|     cv.Version(5, 3, 1): cv.Version(53, 3, 13), | ||||
|     cv.Version(5, 3, 0): cv.Version(53, 3, 13), | ||||
|     cv.Version(5, 1, 6): cv.Version(51, 3, 7), | ||||
|     cv.Version(5, 1, 5): cv.Version(51, 3, 7), | ||||
| } | ||||
| #  - https://api.registry.platformio.org/v3/packages/platformio/tool/framework-espidf | ||||
| RECOMMENDED_ESP_IDF_FRAMEWORK_VERSION = cv.Version(5, 4, 2) | ||||
| # The platformio/espressif32 version to use for esp-idf frameworks | ||||
| #  - https://github.com/platformio/platform-espressif32/releases | ||||
| #  - https://api.registry.platformio.org/v3/packages/platformio/platform/espressif32 | ||||
| ESP_IDF_PLATFORM_VERSION = cv.Version(54, 3, 21, "2") | ||||
|  | ||||
| # The platform-espressif32 version | ||||
| #  - https://github.com/pioarduino/platform-espressif32/releases | ||||
| PLATFORM_VERSION_LOOKUP = { | ||||
|     "recommended": cv.Version(55, 3, 31, "1"), | ||||
|     "latest": cv.Version(55, 3, 31, "1"), | ||||
|     "dev": cv.Version(55, 3, 31, "1"), | ||||
| } | ||||
| # List based on https://registry.platformio.org/tools/platformio/framework-espidf/versions | ||||
| SUPPORTED_PLATFORMIO_ESP_IDF_5X = [ | ||||
|     cv.Version(5, 3, 1), | ||||
|     cv.Version(5, 3, 0), | ||||
|     cv.Version(5, 2, 2), | ||||
|     cv.Version(5, 2, 1), | ||||
|     cv.Version(5, 1, 2), | ||||
|     cv.Version(5, 1, 1), | ||||
|     cv.Version(5, 1, 0), | ||||
|     cv.Version(5, 0, 2), | ||||
|     cv.Version(5, 0, 1), | ||||
|     cv.Version(5, 0, 0), | ||||
| ] | ||||
|  | ||||
| # pioarduino versions that don't require a release number | ||||
| # List based on https://github.com/pioarduino/esp-idf/releases | ||||
| SUPPORTED_PIOARDUINO_ESP_IDF_5X = [ | ||||
|     cv.Version(5, 5, 1), | ||||
|     cv.Version(5, 5, 0), | ||||
|     cv.Version(5, 4, 2), | ||||
|     cv.Version(5, 4, 1), | ||||
|     cv.Version(5, 4, 0), | ||||
|     cv.Version(5, 3, 3), | ||||
|     cv.Version(5, 3, 2), | ||||
|     cv.Version(5, 3, 1), | ||||
|     cv.Version(5, 3, 0), | ||||
|     cv.Version(5, 1, 5), | ||||
|     cv.Version(5, 1, 6), | ||||
| ] | ||||
|  | ||||
|  | ||||
| def _check_versions(value): | ||||
|     value = value.copy() | ||||
|     if value[CONF_TYPE] == FRAMEWORK_ARDUINO: | ||||
|         lookups = { | ||||
|             "dev": ( | ||||
|                 cv.Version(3, 2, 1), | ||||
|                 "https://github.com/espressif/arduino-esp32.git", | ||||
|             ), | ||||
|             "latest": (cv.Version(3, 2, 1), None), | ||||
|             "recommended": (RECOMMENDED_ARDUINO_FRAMEWORK_VERSION, None), | ||||
|         } | ||||
|  | ||||
|     if value[CONF_VERSION] in PLATFORM_VERSION_LOOKUP: | ||||
|         if CONF_SOURCE in value or CONF_PLATFORM_VERSION in value: | ||||
|             raise cv.Invalid( | ||||
|                 "Version needs to be explicitly set when a custom source or platform_version is used." | ||||
|         if value[CONF_VERSION] in lookups: | ||||
|             if CONF_SOURCE in value: | ||||
|                 raise cv.Invalid( | ||||
|                     "Framework version needs to be explicitly specified when custom source is used." | ||||
|                 ) | ||||
|  | ||||
|             version, source = lookups[value[CONF_VERSION]] | ||||
|         else: | ||||
|             version = cv.Version.parse(cv.version_number(value[CONF_VERSION])) | ||||
|             source = value.get(CONF_SOURCE, None) | ||||
|  | ||||
|         value[CONF_VERSION] = str(version) | ||||
|         value[CONF_SOURCE] = source or _format_framework_arduino_version(version) | ||||
|  | ||||
|         value[CONF_PLATFORM_VERSION] = value.get( | ||||
|             CONF_PLATFORM_VERSION, | ||||
|             _parse_platform_version(str(ARDUINO_PLATFORM_VERSION)), | ||||
|         ) | ||||
|  | ||||
|         if value[CONF_SOURCE].startswith("http"): | ||||
|             # prefix is necessary or platformio will complain with a cryptic error | ||||
|             value[CONF_SOURCE] = f"framework-arduinoespressif32@{value[CONF_SOURCE]}" | ||||
|  | ||||
|         if version != RECOMMENDED_ARDUINO_FRAMEWORK_VERSION: | ||||
|             _LOGGER.warning( | ||||
|                 "The selected Arduino framework version is not the recommended one. " | ||||
|                 "If there are connectivity or build issues please remove the manual version." | ||||
|             ) | ||||
|  | ||||
|         platform_lookup = PLATFORM_VERSION_LOOKUP[value[CONF_VERSION]] | ||||
|         value[CONF_PLATFORM_VERSION] = _parse_platform_version(str(platform_lookup)) | ||||
|         return value | ||||
|  | ||||
|         if value[CONF_TYPE] == FRAMEWORK_ARDUINO: | ||||
|             version = ARDUINO_FRAMEWORK_VERSION_LOOKUP[value[CONF_VERSION]] | ||||
|         else: | ||||
|             version = ESP_IDF_FRAMEWORK_VERSION_LOOKUP[value[CONF_VERSION]] | ||||
|     lookups = { | ||||
|         "dev": (cv.Version(5, 4, 2), "https://github.com/espressif/esp-idf.git"), | ||||
|         "latest": (cv.Version(5, 2, 2), None), | ||||
|         "recommended": (RECOMMENDED_ESP_IDF_FRAMEWORK_VERSION, None), | ||||
|     } | ||||
|  | ||||
|     if value[CONF_VERSION] in lookups: | ||||
|         if CONF_SOURCE in value: | ||||
|             raise cv.Invalid( | ||||
|                 "Framework version needs to be explicitly specified when custom source is used." | ||||
|             ) | ||||
|  | ||||
|         version, source = lookups[value[CONF_VERSION]] | ||||
|     else: | ||||
|         version = cv.Version.parse(cv.version_number(value[CONF_VERSION])) | ||||
|         source = value.get(CONF_SOURCE, None) | ||||
|  | ||||
|     if version < cv.Version(5, 0, 0): | ||||
|         raise cv.Invalid("Only ESP-IDF 5.0+ is supported.") | ||||
|  | ||||
|     # flag this for later *before* we set value[CONF_PLATFORM_VERSION] below | ||||
|     has_platform_ver = CONF_PLATFORM_VERSION in value | ||||
|  | ||||
|     value[CONF_PLATFORM_VERSION] = value.get( | ||||
|         CONF_PLATFORM_VERSION, _parse_platform_version(str(ESP_IDF_PLATFORM_VERSION)) | ||||
|     ) | ||||
|  | ||||
|     if ( | ||||
|         is_platformio := _platform_is_platformio(value[CONF_PLATFORM_VERSION]) | ||||
|     ) and version not in SUPPORTED_PLATFORMIO_ESP_IDF_5X: | ||||
|         raise cv.Invalid( | ||||
|             f"ESP-IDF {str(version)} not supported by platformio/espressif32" | ||||
|         ) | ||||
|  | ||||
|     if ( | ||||
|         version in SUPPORTED_PLATFORMIO_ESP_IDF_5X | ||||
|         and version not in SUPPORTED_PIOARDUINO_ESP_IDF_5X | ||||
|     ) and not has_platform_ver: | ||||
|         raise cv.Invalid( | ||||
|             f"ESP-IDF {value[CONF_VERSION]} may be supported by platformio/espressif32; please specify '{CONF_PLATFORM_VERSION}'" | ||||
|         ) | ||||
|  | ||||
|     if ( | ||||
|         not is_platformio | ||||
|         and CONF_RELEASE not in value | ||||
|         and version not in SUPPORTED_PIOARDUINO_ESP_IDF_5X | ||||
|     ): | ||||
|         raise cv.Invalid( | ||||
|             f"ESP-IDF {value[CONF_VERSION]} is not available with pioarduino; you may need to specify '{CONF_RELEASE}'" | ||||
|         ) | ||||
|  | ||||
|     value[CONF_VERSION] = str(version) | ||||
|     value[CONF_SOURCE] = source or _format_framework_espidf_version( | ||||
|         version, value.get(CONF_RELEASE, None), is_platformio | ||||
|     ) | ||||
|  | ||||
|     if value[CONF_TYPE] == FRAMEWORK_ARDUINO: | ||||
|         if version < cv.Version(3, 0, 0): | ||||
|             raise cv.Invalid("Only Arduino 3.0+ is supported.") | ||||
|         recommended_version = ARDUINO_FRAMEWORK_VERSION_LOOKUP["recommended"] | ||||
|         platform_lookup = ARDUINO_PLATFORM_VERSION_LOOKUP.get(version) | ||||
|         value[CONF_SOURCE] = value.get( | ||||
|             CONF_SOURCE, _format_framework_arduino_version(version) | ||||
|         ) | ||||
|         if _is_framework_url(value[CONF_SOURCE]): | ||||
|             value[CONF_SOURCE] = ( | ||||
|                 f"pioarduino/framework-arduinoespressif32@{value[CONF_SOURCE]}" | ||||
|             ) | ||||
|     else: | ||||
|         if version < cv.Version(5, 0, 0): | ||||
|             raise cv.Invalid("Only ESP-IDF 5.0+ is supported.") | ||||
|         recommended_version = ESP_IDF_FRAMEWORK_VERSION_LOOKUP["recommended"] | ||||
|         platform_lookup = ESP_IDF_PLATFORM_VERSION_LOOKUP.get(version) | ||||
|         value[CONF_SOURCE] = value.get( | ||||
|             CONF_SOURCE, | ||||
|             _format_framework_espidf_version(version, value.get(CONF_RELEASE, None)), | ||||
|         ) | ||||
|         if _is_framework_url(value[CONF_SOURCE]): | ||||
|             value[CONF_SOURCE] = f"pioarduino/framework-espidf@{value[CONF_SOURCE]}" | ||||
|     if value[CONF_SOURCE].startswith("http"): | ||||
|         # prefix is necessary or platformio will complain with a cryptic error | ||||
|         value[CONF_SOURCE] = f"framework-espidf@{value[CONF_SOURCE]}" | ||||
|  | ||||
|     if CONF_PLATFORM_VERSION not in value: | ||||
|         if platform_lookup is None: | ||||
|             raise cv.Invalid( | ||||
|                 "Framework version not recognized; please specify platform_version" | ||||
|             ) | ||||
|         value[CONF_PLATFORM_VERSION] = _parse_platform_version(str(platform_lookup)) | ||||
|  | ||||
|     if version != recommended_version: | ||||
|     if version != RECOMMENDED_ESP_IDF_FRAMEWORK_VERSION: | ||||
|         _LOGGER.warning( | ||||
|             "The selected framework version is not the recommended one. " | ||||
|             "If there are connectivity or build issues please remove the manual version." | ||||
|         ) | ||||
|  | ||||
|     if value[CONF_PLATFORM_VERSION] != _parse_platform_version( | ||||
|         str(PLATFORM_VERSION_LOOKUP["recommended"]) | ||||
|     ): | ||||
|         _LOGGER.warning( | ||||
|             "The selected platform version is not the recommended one. " | ||||
|             "The selected ESP-IDF framework version is not the recommended one. " | ||||
|             "If there are connectivity or build issues please remove the manual version." | ||||
|         ) | ||||
|  | ||||
| @@ -446,14 +477,26 @@ def _check_versions(value): | ||||
| def _parse_platform_version(value): | ||||
|     try: | ||||
|         ver = cv.Version.parse(cv.version_number(value)) | ||||
|         release = f"{ver.major}.{ver.minor:02d}.{ver.patch:02d}" | ||||
|         if ver.extra: | ||||
|             release += f"-{ver.extra}" | ||||
|         return f"https://github.com/pioarduino/platform-espressif32/releases/download/{release}/platform-espressif32.zip" | ||||
|         if ver.major >= 50:  # a pioarduino version | ||||
|             release = f"{ver.major}.{ver.minor:02d}.{ver.patch:02d}" | ||||
|             if ver.extra: | ||||
|                 release += f"-{ver.extra}" | ||||
|             return f"https://github.com/pioarduino/platform-espressif32/releases/download/{release}/platform-espressif32.zip" | ||||
|         # if platform version is a valid version constraint, prefix the default package | ||||
|         cv.platformio_version_constraint(value) | ||||
|         return f"platformio/espressif32@{value}" | ||||
|     except cv.Invalid: | ||||
|         return value | ||||
|  | ||||
|  | ||||
| def _platform_is_platformio(value): | ||||
|     try: | ||||
|         ver = cv.Version.parse(cv.version_number(value)) | ||||
|         return ver.major < 50 | ||||
|     except cv.Invalid: | ||||
|         return "platformio" in value | ||||
|  | ||||
|  | ||||
| def _detect_variant(value): | ||||
|     board = value.get(CONF_BOARD) | ||||
|     variant = value.get(CONF_VARIANT) | ||||
| @@ -549,7 +592,6 @@ CONF_ENABLE_LWIP_MDNS_QUERIES = "enable_lwip_mdns_queries" | ||||
| CONF_ENABLE_LWIP_BRIDGE_INTERFACE = "enable_lwip_bridge_interface" | ||||
| CONF_ENABLE_LWIP_TCPIP_CORE_LOCKING = "enable_lwip_tcpip_core_locking" | ||||
| CONF_ENABLE_LWIP_CHECK_THREAD_SAFETY = "enable_lwip_check_thread_safety" | ||||
| CONF_DISABLE_LIBC_LOCKS_IN_IRAM = "disable_libc_locks_in_iram" | ||||
|  | ||||
|  | ||||
| def _validate_idf_component(config: ConfigType) -> ConfigType: | ||||
| @@ -612,9 +654,6 @@ FRAMEWORK_SCHEMA = cv.All( | ||||
|                     cv.Optional( | ||||
|                         CONF_ENABLE_LWIP_CHECK_THREAD_SAFETY, default=True | ||||
|                     ): cv.boolean, | ||||
|                     cv.Optional( | ||||
|                         CONF_DISABLE_LIBC_LOCKS_IN_IRAM, default=True | ||||
|                     ): cv.boolean, | ||||
|                     cv.Optional(CONF_EXECUTE_FROM_PSRAM): cv.boolean, | ||||
|                 } | ||||
|             ), | ||||
| @@ -666,7 +705,6 @@ def _show_framework_migration_message(name: str, variant: str) -> None: | ||||
|         + "Why change? ESP-IDF offers:\n" | ||||
|         + color(AnsiFore.GREEN, "  ✨ Up to 40% smaller binaries\n") | ||||
|         + color(AnsiFore.GREEN, "  🚀 Better performance and optimization\n") | ||||
|         + color(AnsiFore.GREEN, "  ⚡ 2-3x faster compile times\n") | ||||
|         + color(AnsiFore.GREEN, "  📦 Custom-built firmware for your exact needs\n") | ||||
|         + color( | ||||
|             AnsiFore.GREEN, | ||||
| @@ -674,6 +712,7 @@ def _show_framework_migration_message(name: str, variant: str) -> None: | ||||
|         ) | ||||
|         + "\n" | ||||
|         + "Trade-offs:\n" | ||||
|         + color(AnsiFore.YELLOW, "  ⏱️  Compile times are ~25% longer\n") | ||||
|         + color(AnsiFore.YELLOW, "  🔄 Some components need migration\n") | ||||
|         + "\n" | ||||
|         + "What should I do?\n" | ||||
| @@ -751,72 +790,6 @@ CONFIG_SCHEMA = cv.All( | ||||
| FINAL_VALIDATE_SCHEMA = cv.Schema(final_validate) | ||||
|  | ||||
|  | ||||
| def _configure_lwip_max_sockets(conf: dict) -> None: | ||||
|     """Calculate and set CONFIG_LWIP_MAX_SOCKETS based on component needs. | ||||
|  | ||||
|     Socket component tracks consumer needs via consume_sockets() called during config validation. | ||||
|     This function runs in to_code() after all components have registered their socket needs. | ||||
|     User-provided sdkconfig_options take precedence. | ||||
|     """ | ||||
|     from esphome.components.socket import KEY_SOCKET_CONSUMERS | ||||
|  | ||||
|     # Check if user manually specified CONFIG_LWIP_MAX_SOCKETS | ||||
|     user_max_sockets = conf.get(CONF_SDKCONFIG_OPTIONS, {}).get( | ||||
|         "CONFIG_LWIP_MAX_SOCKETS" | ||||
|     ) | ||||
|  | ||||
|     socket_consumers: dict[str, int] = CORE.data.get(KEY_SOCKET_CONSUMERS, {}) | ||||
|     total_sockets = sum(socket_consumers.values()) | ||||
|  | ||||
|     # Early return if no sockets registered and no user override | ||||
|     if total_sockets == 0 and user_max_sockets is None: | ||||
|         return | ||||
|  | ||||
|     components_list = ", ".join( | ||||
|         f"{name}={count}" for name, count in sorted(socket_consumers.items()) | ||||
|     ) | ||||
|  | ||||
|     # User specified their own value - respect it but warn if insufficient | ||||
|     if user_max_sockets is not None: | ||||
|         _LOGGER.info( | ||||
|             "Using user-provided CONFIG_LWIP_MAX_SOCKETS: %s", | ||||
|             user_max_sockets, | ||||
|         ) | ||||
|  | ||||
|         # Warn if user's value is less than what components need | ||||
|         if total_sockets > 0: | ||||
|             user_sockets_int = 0 | ||||
|             with contextlib.suppress(ValueError, TypeError): | ||||
|                 user_sockets_int = int(user_max_sockets) | ||||
|  | ||||
|             if user_sockets_int < total_sockets: | ||||
|                 _LOGGER.warning( | ||||
|                     "CONFIG_LWIP_MAX_SOCKETS is set to %d but your configuration " | ||||
|                     "needs %d sockets (registered: %s). You may experience socket " | ||||
|                     "exhaustion errors. Consider increasing to at least %d.", | ||||
|                     user_sockets_int, | ||||
|                     total_sockets, | ||||
|                     components_list, | ||||
|                     total_sockets, | ||||
|                 ) | ||||
|         # User's value already added via sdkconfig_options processing | ||||
|         return | ||||
|  | ||||
|     # Auto-calculate based on component needs | ||||
|     # Use at least the ESP-IDF default (10), or the total needed by components | ||||
|     max_sockets = max(DEFAULT_MAX_SOCKETS, total_sockets) | ||||
|  | ||||
|     log_level = logging.INFO if max_sockets > DEFAULT_MAX_SOCKETS else logging.DEBUG | ||||
|     _LOGGER.log( | ||||
|         log_level, | ||||
|         "Setting CONFIG_LWIP_MAX_SOCKETS to %d (registered: %s)", | ||||
|         max_sockets, | ||||
|         components_list, | ||||
|     ) | ||||
|  | ||||
|     add_idf_sdkconfig_option("CONFIG_LWIP_MAX_SOCKETS", max_sockets) | ||||
|  | ||||
|  | ||||
| async def to_code(config): | ||||
|     cg.add_platformio_option("board", config[CONF_BOARD]) | ||||
|     cg.add_platformio_option("board_upload.flash_size", config[CONF_FLASH_SIZE]) | ||||
| @@ -835,8 +808,6 @@ async def to_code(config): | ||||
|  | ||||
|     conf = config[CONF_FRAMEWORK] | ||||
|     cg.add_platformio_option("platform", conf[CONF_PLATFORM_VERSION]) | ||||
|     if CONF_SOURCE in conf: | ||||
|         cg.add_platformio_option("platform_packages", [conf[CONF_SOURCE]]) | ||||
|  | ||||
|     if conf[CONF_ADVANCED][CONF_IGNORE_EFUSE_CUSTOM_MAC]: | ||||
|         cg.add_define("USE_ESP32_IGNORE_EFUSE_CUSTOM_MAC") | ||||
| @@ -850,16 +821,6 @@ async def to_code(config): | ||||
|         Path(__file__).parent / "post_build.py.script", | ||||
|     ) | ||||
|  | ||||
|     # In testing mode, add IRAM fix script to allow linking grouped component tests | ||||
|     # Similar to ESP8266's approach but for ESP-IDF | ||||
|     if CORE.testing_mode: | ||||
|         cg.add_build_flag("-DESPHOME_TESTING_MODE") | ||||
|         add_extra_script( | ||||
|             "pre", | ||||
|             "iram_fix.py", | ||||
|             Path(__file__).parent / "iram_fix.py.script", | ||||
|         ) | ||||
|  | ||||
|     if conf[CONF_TYPE] == FRAMEWORK_ESP_IDF: | ||||
|         cg.add_platformio_option("framework", "espidf") | ||||
|         cg.add_build_flag("-DUSE_ESP_IDF") | ||||
| @@ -886,10 +847,11 @@ async def to_code(config): | ||||
|         add_idf_sdkconfig_option("CONFIG_AUTOSTART_ARDUINO", True) | ||||
|         add_idf_sdkconfig_option("CONFIG_MBEDTLS_PSK_MODES", True) | ||||
|         add_idf_sdkconfig_option("CONFIG_MBEDTLS_CERTIFICATE_BUNDLE", True) | ||||
|         add_idf_sdkconfig_option("CONFIG_ESP_PHY_REDUCE_TX_POWER", True) | ||||
|  | ||||
|     cg.add_build_flag("-Wno-nonnull-compare") | ||||
|  | ||||
|     cg.add_platformio_option("platform_packages", [conf[CONF_SOURCE]]) | ||||
|  | ||||
|     add_idf_sdkconfig_option(f"CONFIG_IDF_TARGET_{variant}", True) | ||||
|     add_idf_sdkconfig_option( | ||||
|         f"CONFIG_ESPTOOLPY_FLASHSIZE_{config[CONF_FLASH_SIZE]}", True | ||||
| @@ -910,9 +872,6 @@ async def to_code(config): | ||||
|     # Disable dynamic log level control to save memory | ||||
|     add_idf_sdkconfig_option("CONFIG_LOG_DYNAMIC_LEVEL_CONTROL", False) | ||||
|  | ||||
|     # Reduce PHY TX power in the event of a brownout | ||||
|     add_idf_sdkconfig_option("CONFIG_ESP_PHY_REDUCE_TX_POWER", True) | ||||
|  | ||||
|     # Set default CPU frequency | ||||
|     add_idf_sdkconfig_option( | ||||
|         f"CONFIG_ESP_DEFAULT_CPU_FREQ_MHZ_{config[CONF_CPU_FREQUENCY][:-3]}", True | ||||
| @@ -937,9 +896,6 @@ async def to_code(config): | ||||
|         add_idf_sdkconfig_option("CONFIG_LWIP_DNS_SUPPORT_MDNS_QUERIES", False) | ||||
|     if not advanced.get(CONF_ENABLE_LWIP_BRIDGE_INTERFACE, False): | ||||
|         add_idf_sdkconfig_option("CONFIG_LWIP_BRIDGEIF_MAX_PORTS", 0) | ||||
|  | ||||
|     _configure_lwip_max_sockets(conf) | ||||
|  | ||||
|     if advanced.get(CONF_EXECUTE_FROM_PSRAM, False): | ||||
|         add_idf_sdkconfig_option("CONFIG_SPIRAM_FETCH_INSTRUCTIONS", True) | ||||
|         add_idf_sdkconfig_option("CONFIG_SPIRAM_RODATA", True) | ||||
| @@ -956,12 +912,6 @@ async def to_code(config): | ||||
|     if advanced.get(CONF_ENABLE_LWIP_CHECK_THREAD_SAFETY, True): | ||||
|         add_idf_sdkconfig_option("CONFIG_LWIP_CHECK_THREAD_SAFETY", True) | ||||
|  | ||||
|     # Disable placing libc locks in IRAM to save RAM | ||||
|     # This is safe for ESPHome since no IRAM ISRs (interrupts that run while cache is disabled) | ||||
|     # use libc lock APIs. Saves approximately 1.3KB (1,356 bytes) of IRAM. | ||||
|     if advanced.get(CONF_DISABLE_LIBC_LOCKS_IN_IRAM, True): | ||||
|         add_idf_sdkconfig_option("CONFIG_LIBC_LOCKS_PLACE_IN_IRAM", False) | ||||
|  | ||||
|     cg.add_platformio_option("board_build.partitions", "partitions.csv") | ||||
|     if CONF_PARTITIONS in config: | ||||
|         add_extra_build_file( | ||||
|   | ||||
| @@ -1564,10 +1564,6 @@ BOARDS = { | ||||
|         "name": "DFRobot Beetle ESP32-C3", | ||||
|         "variant": VARIANT_ESP32C3, | ||||
|     }, | ||||
|     "dfrobot_firebeetle2_esp32c6": { | ||||
|         "name": "DFRobot FireBeetle 2 ESP32-C6", | ||||
|         "variant": VARIANT_ESP32C6, | ||||
|     }, | ||||
|     "dfrobot_firebeetle2_esp32e": { | ||||
|         "name": "DFRobot Firebeetle 2 ESP32-E", | ||||
|         "variant": VARIANT_ESP32, | ||||
| @@ -1608,22 +1604,6 @@ BOARDS = { | ||||
|         "name": "Ai-Thinker ESP-C3-M1-I-Kit", | ||||
|         "variant": VARIANT_ESP32C3, | ||||
|     }, | ||||
|     "esp32-c5-devkitc-1": { | ||||
|         "name": "Espressif ESP32-C5-DevKitC-1 4MB no PSRAM", | ||||
|         "variant": VARIANT_ESP32C5, | ||||
|     }, | ||||
|     "esp32-c5-devkitc1-n16r4": { | ||||
|         "name": "Espressif ESP32-C5-DevKitC-1 N16R4 (16 MB Flash Quad, 4 MB PSRAM Quad)", | ||||
|         "variant": VARIANT_ESP32C5, | ||||
|     }, | ||||
|     "esp32-c5-devkitc1-n4": { | ||||
|         "name": "Espressif ESP32-C5-DevKitC-1 N4 (4MB no PSRAM)", | ||||
|         "variant": VARIANT_ESP32C5, | ||||
|     }, | ||||
|     "esp32-c5-devkitc1-n8r4": { | ||||
|         "name": "Espressif ESP32-C5-DevKitC-1 N8R4 (8 MB Flash Quad, 4 MB PSRAM Quad)", | ||||
|         "variant": VARIANT_ESP32C5, | ||||
|     }, | ||||
|     "esp32-c6-devkitc-1": { | ||||
|         "name": "Espressif ESP32-C6-DevKitC-1", | ||||
|         "variant": VARIANT_ESP32C6, | ||||
| @@ -2068,10 +2048,6 @@ BOARDS = { | ||||
|         "name": "M5Stack Station", | ||||
|         "variant": VARIANT_ESP32, | ||||
|     }, | ||||
|     "m5stack-tab5-p4": { | ||||
|         "name": "M5STACK Tab5 esp32-p4 Board", | ||||
|         "variant": VARIANT_ESP32P4, | ||||
|     }, | ||||
|     "m5stack-timer-cam": { | ||||
|         "name": "M5Stack Timer CAM", | ||||
|         "variant": VARIANT_ESP32, | ||||
| @@ -2500,10 +2476,6 @@ BOARDS = { | ||||
|         "name": "YelloByte YB-ESP32-S3-AMP (Rev.3)", | ||||
|         "variant": VARIANT_ESP32S3, | ||||
|     }, | ||||
|     "yb_esp32s3_drv": { | ||||
|         "name": "YelloByte YB-ESP32-S3-DRV", | ||||
|         "variant": VARIANT_ESP32S3, | ||||
|     }, | ||||
|     "yb_esp32s3_eth": { | ||||
|         "name": "YelloByte YB-ESP32-S3-ETH", | ||||
|         "variant": VARIANT_ESP32S3, | ||||
|   | ||||
| @@ -6,7 +6,6 @@ | ||||
| #include <freertos/FreeRTOS.h> | ||||
| #include <freertos/task.h> | ||||
| #include <esp_idf_version.h> | ||||
| #include <esp_ota_ops.h> | ||||
| #include <esp_task_wdt.h> | ||||
| #include <esp_timer.h> | ||||
| #include <soc/rtc.h> | ||||
| @@ -53,16 +52,6 @@ void arch_init() { | ||||
|   disableCore1WDT(); | ||||
| #endif | ||||
| #endif | ||||
|  | ||||
|   // If the bootloader was compiled with CONFIG_BOOTLOADER_APP_ROLLBACK_ENABLE the current | ||||
|   // partition will get rolled back unless it is marked as valid. | ||||
|   esp_ota_img_states_t state; | ||||
|   const esp_partition_t *running = esp_ota_get_running_partition(); | ||||
|   if (esp_ota_get_state_partition(running, &state) == ESP_OK) { | ||||
|     if (state == ESP_OTA_IMG_PENDING_VERIFY) { | ||||
|       esp_ota_mark_app_valid_cancel_rollback(); | ||||
|     } | ||||
|   } | ||||
| } | ||||
| void IRAM_ATTR HOT arch_feed_wdt() { esp_task_wdt_reset(); } | ||||
|  | ||||
|   | ||||
| @@ -1,71 +0,0 @@ | ||||
| import os | ||||
| import re | ||||
|  | ||||
| # pylint: disable=E0602 | ||||
| Import("env")  # noqa | ||||
|  | ||||
| # IRAM size for testing mode (2MB - large enough to accommodate grouped tests) | ||||
| TESTING_IRAM_SIZE = 0x200000 | ||||
|  | ||||
|  | ||||
| def patch_idf_linker_script(source, target, env): | ||||
|     """Patch ESP-IDF linker script to increase IRAM size for testing mode.""" | ||||
|     # Check if we're in testing mode by looking for the define | ||||
|     build_flags = env.get("BUILD_FLAGS", []) | ||||
|     testing_mode = any("-DESPHOME_TESTING_MODE" in flag for flag in build_flags) | ||||
|  | ||||
|     if not testing_mode: | ||||
|         return | ||||
|  | ||||
|     # For ESP-IDF, the linker scripts are generated in the build directory | ||||
|     build_dir = env.subst("$BUILD_DIR") | ||||
|  | ||||
|     # The memory.ld file is directly in the build directory | ||||
|     memory_ld = os.path.join(build_dir, "memory.ld") | ||||
|  | ||||
|     if not os.path.exists(memory_ld): | ||||
|         print(f"ESPHome: Warning - could not find linker script at {memory_ld}") | ||||
|         return | ||||
|  | ||||
|     try: | ||||
|         with open(memory_ld, "r") as f: | ||||
|             content = f.read() | ||||
|     except OSError as e: | ||||
|         print(f"ESPHome: Error reading linker script: {e}") | ||||
|         return | ||||
|  | ||||
|     # Check if this file contains iram0_0_seg | ||||
|     if 'iram0_0_seg' not in content: | ||||
|         print(f"ESPHome: Warning - iram0_0_seg not found in {memory_ld}") | ||||
|         return | ||||
|  | ||||
|     # Look for iram0_0_seg definition and increase its length | ||||
|     # ESP-IDF format can be: | ||||
|     #   iram0_0_seg (RX) : org = 0x40080000, len = 0x20000 + 0x0 | ||||
|     # or more complex with nested parentheses: | ||||
|     #   iram0_0_seg (RX) : org = (0x40370000 + 0x4000), len = (((0x403CB700 - (0x40378000 - 0x3FC88000)) - 0x3FC88000) + 0x8000 - 0x4000) | ||||
|     # We want to change len to TESTING_IRAM_SIZE for testing | ||||
|  | ||||
|     # Use a more robust approach: find the line and manually parse it | ||||
|     lines = content.split('\n') | ||||
|     for i, line in enumerate(lines): | ||||
|         if 'iram0_0_seg' in line and 'len' in line: | ||||
|             # Find the position of "len = " and replace everything after it until the end of the statement | ||||
|             match = re.search(r'(iram0_0_seg\s*\([^)]*\)\s*:\s*org\s*=\s*(?:\([^)]+\)|0x[0-9a-fA-F]+)\s*,\s*len\s*=\s*)(.+?)(\s*)$', line) | ||||
|             if match: | ||||
|                 lines[i] = f"{match.group(1)}{TESTING_IRAM_SIZE:#x}{match.group(3)}" | ||||
|                 break | ||||
|  | ||||
|     updated = '\n'.join(lines) | ||||
|  | ||||
|     if updated != content: | ||||
|         with open(memory_ld, "w") as f: | ||||
|             f.write(updated) | ||||
|         print(f"ESPHome: Patched IRAM size to {TESTING_IRAM_SIZE:#x} in {memory_ld} for testing mode") | ||||
|     else: | ||||
|         print(f"ESPHome: Warning - could not patch iram0_0_seg in {memory_ld}") | ||||
|  | ||||
|  | ||||
| # Hook into the build process before linking | ||||
| # For ESP-IDF, we need to run this after the linker scripts are generated | ||||
| env.AddPreAction("$BUILD_DIR/${PROGNAME}.elf", patch_idf_linker_script) | ||||
| @@ -1,9 +1,5 @@ | ||||
| from collections.abc import Callable, MutableMapping | ||||
| from dataclasses import dataclass | ||||
| from enum import Enum | ||||
| import logging | ||||
| import re | ||||
| from typing import Any | ||||
|  | ||||
| from esphome import automation | ||||
| import esphome.codegen as cg | ||||
| @@ -13,19 +9,16 @@ from esphome.const import ( | ||||
|     CONF_ENABLE_ON_BOOT, | ||||
|     CONF_ESPHOME, | ||||
|     CONF_ID, | ||||
|     CONF_MAX_CONNECTIONS, | ||||
|     CONF_NAME, | ||||
|     CONF_NAME_ADD_MAC_SUFFIX, | ||||
| ) | ||||
| from esphome.core import CORE, CoroPriority, TimePeriod, coroutine_with_priority | ||||
| from esphome.core import TimePeriod | ||||
| import esphome.final_validate as fv | ||||
|  | ||||
| DEPENDENCIES = ["esp32"] | ||||
| CODEOWNERS = ["@jesserockz", "@Rapsssito", "@bdraco"] | ||||
| DOMAIN = "esp32_ble" | ||||
|  | ||||
| _LOGGER = logging.getLogger(__name__) | ||||
|  | ||||
|  | ||||
| class BTLoggers(Enum): | ||||
|     """Bluetooth logger categories available in ESP-IDF. | ||||
| @@ -108,65 +101,8 @@ class BTLoggers(Enum): | ||||
|     """ESP32 WiFi provisioning over Bluetooth""" | ||||
|  | ||||
|  | ||||
| # Key for storing required loggers in CORE.data | ||||
| ESP32_BLE_REQUIRED_LOGGERS_KEY = "esp32_ble_required_loggers" | ||||
|  | ||||
|  | ||||
| def _get_required_loggers() -> set[BTLoggers]: | ||||
|     """Get the set of required Bluetooth loggers from CORE.data.""" | ||||
|     return CORE.data.setdefault(ESP32_BLE_REQUIRED_LOGGERS_KEY, set()) | ||||
|  | ||||
|  | ||||
| # Dataclass for handler registration counts | ||||
| @dataclass | ||||
| class HandlerCounts: | ||||
|     gap_event: int = 0 | ||||
|     gap_scan_event: int = 0 | ||||
|     gattc_event: int = 0 | ||||
|     gatts_event: int = 0 | ||||
|     ble_status_event: int = 0 | ||||
|  | ||||
|  | ||||
| # Track handler registration counts for StaticVector sizing | ||||
| _handler_counts = HandlerCounts() | ||||
|  | ||||
|  | ||||
| def register_gap_event_handler(parent_var: cg.MockObj, handler_var: cg.MockObj) -> None: | ||||
|     """Register a GAP event handler and track the count.""" | ||||
|     _handler_counts.gap_event += 1 | ||||
|     cg.add(parent_var.register_gap_event_handler(handler_var)) | ||||
|  | ||||
|  | ||||
| def register_gap_scan_event_handler( | ||||
|     parent_var: cg.MockObj, handler_var: cg.MockObj | ||||
| ) -> None: | ||||
|     """Register a GAP scan event handler and track the count.""" | ||||
|     _handler_counts.gap_scan_event += 1 | ||||
|     cg.add(parent_var.register_gap_scan_event_handler(handler_var)) | ||||
|  | ||||
|  | ||||
| def register_gattc_event_handler( | ||||
|     parent_var: cg.MockObj, handler_var: cg.MockObj | ||||
| ) -> None: | ||||
|     """Register a GATTc event handler and track the count.""" | ||||
|     _handler_counts.gattc_event += 1 | ||||
|     cg.add(parent_var.register_gattc_event_handler(handler_var)) | ||||
|  | ||||
|  | ||||
| def register_gatts_event_handler( | ||||
|     parent_var: cg.MockObj, handler_var: cg.MockObj | ||||
| ) -> None: | ||||
|     """Register a GATTs event handler and track the count.""" | ||||
|     _handler_counts.gatts_event += 1 | ||||
|     cg.add(parent_var.register_gatts_event_handler(handler_var)) | ||||
|  | ||||
|  | ||||
| def register_ble_status_event_handler( | ||||
|     parent_var: cg.MockObj, handler_var: cg.MockObj | ||||
| ) -> None: | ||||
|     """Register a BLE status event handler and track the count.""" | ||||
|     _handler_counts.ble_status_event += 1 | ||||
|     cg.add(parent_var.register_ble_status_event_handler(handler_var)) | ||||
| # Set to track which loggers are needed by components | ||||
| _required_loggers: set[BTLoggers] = set() | ||||
|  | ||||
|  | ||||
| def register_bt_logger(*loggers: BTLoggers) -> None: | ||||
| @@ -175,13 +111,12 @@ def register_bt_logger(*loggers: BTLoggers) -> None: | ||||
|     Args: | ||||
|         *loggers: One or more BTLoggers enum members | ||||
|     """ | ||||
|     required_loggers = _get_required_loggers() | ||||
|     for logger in loggers: | ||||
|         if not isinstance(logger, BTLoggers): | ||||
|             raise TypeError( | ||||
|                 f"Logger must be a BTLoggers enum member, got {type(logger)}" | ||||
|             ) | ||||
|         required_loggers.add(logger) | ||||
|         _required_loggers.add(logger) | ||||
|  | ||||
|  | ||||
| CONF_BLE_ID = "ble_id" | ||||
| @@ -192,28 +127,6 @@ CONF_DISABLE_BT_LOGS = "disable_bt_logs" | ||||
| CONF_CONNECTION_TIMEOUT = "connection_timeout" | ||||
| CONF_MAX_NOTIFICATIONS = "max_notifications" | ||||
|  | ||||
| # BLE connection limits | ||||
| # ESP-IDF CONFIG_BT_ACL_CONNECTIONS has range 1-9, default 4 | ||||
| # Total instances: 10 (ADV + SCAN + connections) | ||||
| # - ADV only: up to 9 connections | ||||
| # - SCAN only: up to 9 connections | ||||
| # - ADV + SCAN: up to 8 connections | ||||
| DEFAULT_MAX_CONNECTIONS = 3 | ||||
| IDF_MAX_CONNECTIONS = 9 | ||||
|  | ||||
| # Connection slot tracking keys | ||||
| KEY_ESP32_BLE = "esp32_ble" | ||||
| KEY_USED_CONNECTION_SLOTS = "used_connection_slots" | ||||
|  | ||||
| # Export for use by other components (bluetooth_proxy, etc.) | ||||
| __all__ = [ | ||||
|     "DEFAULT_MAX_CONNECTIONS", | ||||
|     "IDF_MAX_CONNECTIONS", | ||||
|     "KEY_ESP32_BLE", | ||||
|     "KEY_USED_CONNECTION_SLOTS", | ||||
|     "consume_connection_slots", | ||||
| ] | ||||
|  | ||||
| NO_BLUETOOTH_VARIANTS = [const.VARIANT_ESP32S2] | ||||
|  | ||||
| esp32_ble_ns = cg.esphome_ns.namespace("esp32_ble") | ||||
| @@ -270,9 +183,6 @@ CONFIG_SCHEMA = cv.Schema( | ||||
|             cv.positive_int, | ||||
|             cv.Range(min=1, max=64), | ||||
|         ), | ||||
|         cv.Optional(CONF_MAX_CONNECTIONS, default=DEFAULT_MAX_CONNECTIONS): cv.All( | ||||
|             cv.positive_int, cv.Range(min=1, max=IDF_MAX_CONNECTIONS) | ||||
|         ), | ||||
|     } | ||||
| ).extend(cv.COMPONENT_SCHEMA) | ||||
|  | ||||
| @@ -320,60 +230,6 @@ def validate_variant(_): | ||||
|         raise cv.Invalid(f"{variant} does not support Bluetooth") | ||||
|  | ||||
|  | ||||
| def consume_connection_slots( | ||||
|     value: int, consumer: str | ||||
| ) -> Callable[[MutableMapping], MutableMapping]: | ||||
|     """Reserve BLE connection slots for a component. | ||||
|  | ||||
|     Args: | ||||
|         value: Number of connection slots to reserve | ||||
|         consumer: Name of the component consuming the slots | ||||
|  | ||||
|     Returns: | ||||
|         A validator function that records the slot usage | ||||
|     """ | ||||
|  | ||||
|     def _consume_connection_slots(config: MutableMapping) -> MutableMapping: | ||||
|         data: dict[str, Any] = CORE.data.setdefault(KEY_ESP32_BLE, {}) | ||||
|         slots: list[str] = data.setdefault(KEY_USED_CONNECTION_SLOTS, []) | ||||
|         slots.extend([consumer] * value) | ||||
|         return config | ||||
|  | ||||
|     return _consume_connection_slots | ||||
|  | ||||
|  | ||||
| def validate_connection_slots(max_connections: int) -> None: | ||||
|     """Validate that BLE connection slots don't exceed the configured maximum.""" | ||||
|     # Skip validation in testing mode to allow component grouping | ||||
|     if CORE.testing_mode: | ||||
|         return | ||||
|  | ||||
|     ble_data = CORE.data.get(KEY_ESP32_BLE, {}) | ||||
|     used_slots = ble_data.get(KEY_USED_CONNECTION_SLOTS, []) | ||||
|     num_used = len(used_slots) | ||||
|  | ||||
|     if num_used <= max_connections: | ||||
|         return | ||||
|  | ||||
|     slot_users = ", ".join(used_slots) | ||||
|  | ||||
|     if num_used > IDF_MAX_CONNECTIONS: | ||||
|         raise cv.Invalid( | ||||
|             f"BLE components require {num_used} connection slots but maximum is {IDF_MAX_CONNECTIONS}. " | ||||
|             f"Reduce the number of BLE clients. Components: {slot_users}" | ||||
|         ) | ||||
|  | ||||
|     _LOGGER.warning( | ||||
|         "BLE components require %d connection slot(s) but only %d configured. " | ||||
|         "Please set 'max_connections: %d' in the 'esp32_ble' component. " | ||||
|         "Components: %s", | ||||
|         num_used, | ||||
|         max_connections, | ||||
|         num_used, | ||||
|         slot_users, | ||||
|     ) | ||||
|  | ||||
|  | ||||
| def final_validation(config): | ||||
|     validate_variant(config) | ||||
|     if (name := config.get(CONF_NAME)) is not None: | ||||
| @@ -389,89 +245,22 @@ def final_validation(config): | ||||
|     # Set GATT Client/Server sdkconfig options based on which components are loaded | ||||
|     full_config = fv.full_config.get() | ||||
|  | ||||
|     # Validate connection slots usage | ||||
|     max_connections = config.get(CONF_MAX_CONNECTIONS, DEFAULT_MAX_CONNECTIONS) | ||||
|     validate_connection_slots(max_connections) | ||||
|  | ||||
|     # Check if hosted bluetooth is being used | ||||
|     if "esp32_hosted" in full_config: | ||||
|         add_idf_sdkconfig_option("CONFIG_BT_CLASSIC_ENABLED", False) | ||||
|         add_idf_sdkconfig_option("CONFIG_BT_BLE_ENABLED", True) | ||||
|         add_idf_sdkconfig_option("CONFIG_BT_BLUEDROID_ENABLED", True) | ||||
|         add_idf_sdkconfig_option("CONFIG_BT_CONTROLLER_DISABLED", True) | ||||
|         add_idf_sdkconfig_option("CONFIG_ESP_HOSTED_ENABLE_BT_BLUEDROID", True) | ||||
|         add_idf_sdkconfig_option("CONFIG_ESP_HOSTED_BLUEDROID_HCI_VHCI", True) | ||||
|  | ||||
|     # Check if BLE Server is needed | ||||
|     has_ble_server = "esp32_ble_server" in full_config | ||||
|     add_idf_sdkconfig_option("CONFIG_BT_GATTS_ENABLE", has_ble_server) | ||||
|  | ||||
|     # Check if BLE Client is needed (via esp32_ble_tracker or esp32_ble_client) | ||||
|     has_ble_client = ( | ||||
|         "esp32_ble_tracker" in full_config or "esp32_ble_client" in full_config | ||||
|     ) | ||||
|  | ||||
|     # ESP-IDF BLE stack requires GATT Server to be enabled when GATT Client is enabled | ||||
|     # This is an internal dependency in the Bluedroid stack (tested ESP-IDF 5.4.2-5.5.1) | ||||
|     # See: https://github.com/espressif/esp-idf/issues/17724 | ||||
|     add_idf_sdkconfig_option("CONFIG_BT_GATTS_ENABLE", has_ble_server or has_ble_client) | ||||
|     add_idf_sdkconfig_option("CONFIG_BT_GATTC_ENABLE", has_ble_client) | ||||
|  | ||||
|     # Handle max_connections: check for deprecated location in esp32_ble_tracker | ||||
|     max_connections = config.get(CONF_MAX_CONNECTIONS, DEFAULT_MAX_CONNECTIONS) | ||||
|  | ||||
|     # Use value from tracker if esp32_ble doesn't have it explicitly set (backward compat) | ||||
|     if "esp32_ble_tracker" in full_config: | ||||
|         tracker_config = full_config["esp32_ble_tracker"] | ||||
|         if "max_connections" in tracker_config and CONF_MAX_CONNECTIONS not in config: | ||||
|             max_connections = tracker_config["max_connections"] | ||||
|  | ||||
|     # Set CONFIG_BT_ACL_CONNECTIONS to the maximum connections needed + 1 for ADV/SCAN | ||||
|     # This is the Bluedroid host stack total instance limit (range 1-9, default 4) | ||||
|     # Total instances = ADV/SCAN (1) + connection slots (max_connections) | ||||
|     # Shared between client (tracker/ble_client) and server | ||||
|     add_idf_sdkconfig_option("CONFIG_BT_ACL_CONNECTIONS", max_connections + 1) | ||||
|  | ||||
|     # Set controller-specific max connections for ESP32 (classic) | ||||
|     # CONFIG_BTDM_CTRL_BLE_MAX_CONN is ESP32-specific controller limit (just connections, not ADV/SCAN) | ||||
|     # For newer chips (C3/S3/etc), different configs are used automatically | ||||
|     add_idf_sdkconfig_option("CONFIG_BTDM_CTRL_BLE_MAX_CONN", max_connections) | ||||
|  | ||||
|     return config | ||||
|  | ||||
|  | ||||
| FINAL_VALIDATE_SCHEMA = final_validation | ||||
|  | ||||
|  | ||||
| # This needs to be run as a job with CoroPriority.FINAL priority so that all components have | ||||
| # a chance to register their handlers before the counts are added to defines. | ||||
| @coroutine_with_priority(CoroPriority.FINAL) | ||||
| async def _add_ble_handler_defines(): | ||||
|     # Add defines for StaticVector sizing based on handler registration counts | ||||
|     # Only define if count > 0 to avoid allocating unnecessary memory | ||||
|     if _handler_counts.gap_event > 0: | ||||
|         cg.add_define( | ||||
|             "ESPHOME_ESP32_BLE_GAP_EVENT_HANDLER_COUNT", _handler_counts.gap_event | ||||
|         ) | ||||
|     if _handler_counts.gap_scan_event > 0: | ||||
|         cg.add_define( | ||||
|             "ESPHOME_ESP32_BLE_GAP_SCAN_EVENT_HANDLER_COUNT", | ||||
|             _handler_counts.gap_scan_event, | ||||
|         ) | ||||
|     if _handler_counts.gattc_event > 0: | ||||
|         cg.add_define( | ||||
|             "ESPHOME_ESP32_BLE_GATTC_EVENT_HANDLER_COUNT", _handler_counts.gattc_event | ||||
|         ) | ||||
|     if _handler_counts.gatts_event > 0: | ||||
|         cg.add_define( | ||||
|             "ESPHOME_ESP32_BLE_GATTS_EVENT_HANDLER_COUNT", _handler_counts.gatts_event | ||||
|         ) | ||||
|     if _handler_counts.ble_status_event > 0: | ||||
|         cg.add_define( | ||||
|             "ESPHOME_ESP32_BLE_BLE_STATUS_EVENT_HANDLER_COUNT", | ||||
|             _handler_counts.ble_status_event, | ||||
|         ) | ||||
|  | ||||
|  | ||||
| async def to_code(config): | ||||
|     var = cg.new_Pvariable(config[CONF_ID]) | ||||
|     cg.add(var.set_enable_on_boot(config[CONF_ENABLE_ON_BOOT])) | ||||
| @@ -481,10 +270,6 @@ async def to_code(config): | ||||
|         cg.add(var.set_name(name)) | ||||
|     await cg.register_component(var, config) | ||||
|  | ||||
|     # Define max connections for use in C++ code (e.g., ble_server.h) | ||||
|     max_connections = config.get(CONF_MAX_CONNECTIONS, DEFAULT_MAX_CONNECTIONS) | ||||
|     cg.add_define("USE_ESP32_BLE_MAX_CONNECTIONS", max_connections) | ||||
|  | ||||
|     add_idf_sdkconfig_option("CONFIG_BT_ENABLED", True) | ||||
|     add_idf_sdkconfig_option("CONFIG_BT_BLE_42_FEATURES_SUPPORTED", True) | ||||
|  | ||||
| @@ -494,9 +279,8 @@ async def to_code(config): | ||||
|     # Apply logger settings if log disabling is enabled | ||||
|     if config.get(CONF_DISABLE_BT_LOGS, False): | ||||
|         # Disable all Bluetooth loggers that are not required | ||||
|         required_loggers = _get_required_loggers() | ||||
|         for logger in BTLoggers: | ||||
|             if logger not in required_loggers: | ||||
|             if logger not in _required_loggers: | ||||
|                 add_idf_sdkconfig_option(f"{logger.value}_NONE", True) | ||||
|  | ||||
|     # Set BLE connection establishment timeout to match aioesphomeapi/bleak-retry-connector | ||||
| @@ -527,9 +311,6 @@ async def to_code(config): | ||||
|         cg.add_define("USE_ESP32_BLE_ADVERTISING") | ||||
|         cg.add_define("USE_ESP32_BLE_UUID") | ||||
|  | ||||
|     # Schedule the handler defines to be added after all components register | ||||
|     CORE.add_job(_add_ble_handler_defines) | ||||
|  | ||||
|  | ||||
| @automation.register_condition("ble.enabled", BLEEnabledCondition, cv.Schema({})) | ||||
| async def ble_enabled_to_code(config, condition_id, template_arg, args): | ||||
|   | ||||
Some files were not shown because too many files have changed in this diff Show More
		Reference in New Issue
	
	Block a user