From afe95c61c890724916da9e2f34735bb9443cacfe Mon Sep 17 00:00:00 2001 From: Anthony Volk Date: Tue, 6 Jan 2026 22:34:56 +0300 Subject: [PATCH 1/5] feat: Add support for breakdown_labels and nested breakdowns MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit - Add _find_breakdown_parent() to walk up tree and find breakdown ancestor - Update _generate_breakdown_label() to handle nested breakdowns - Add _collect_dimension_values() to collect all dimension values along path - Add _format_dimension_value() to format values with semantic labels - Support breakdown_labels metadata for range() dimensions - Add comprehensive tests for nested breakdowns and breakdown_labels 🤖 Generated with [Claude Code](https://claude.com/claude-code) Co-Authored-By: Claude Opus 4.5 --- src/policyengine/utils/parameter_labels.py | 142 +++++++++++++- tests/fixtures/parameter_labels_fixtures.py | 17 +- tests/test_parameter_labels.py | 198 ++++++++++++++++++++ 3 files changed, 347 insertions(+), 10 deletions(-) diff --git a/src/policyengine/utils/parameter_labels.py b/src/policyengine/utils/parameter_labels.py index aac76e1..7c25a0a 100644 --- a/src/policyengine/utils/parameter_labels.py +++ b/src/policyengine/utils/parameter_labels.py @@ -26,14 +26,148 @@ def generate_label_for_parameter(param_node, system, scale_lookup): if "[" in param_name: return _generate_bracket_label(param_name, scale_lookup) - if param_node.parent and param_node.parent.metadata.get("breakdown"): - return _generate_breakdown_label(param_node, system) + # Check for breakdown - either direct child or nested + breakdown_parent = _find_breakdown_parent(param_node) + if breakdown_parent: + return _generate_breakdown_label(param_node, system, breakdown_parent) return None -def _generate_breakdown_label(param_node, system): - """Generate label for a breakdown parameter using enum values.""" +def _find_breakdown_parent(param_node): + """ + Walk up the tree to find the nearest ancestor with breakdown metadata. + + Args: + param_node: The CoreParameter object + + Returns: + The breakdown parent node, or None if not found + """ + current = param_node.parent + while current: + if current.metadata.get("breakdown"): + return current + current = getattr(current, "parent", None) + return None + + +def _generate_breakdown_label(param_node, system, breakdown_parent=None): + """ + Generate label for a breakdown parameter using enum values. + + Handles both single-level and nested breakdowns by walking up to the + breakdown parent and collecting all dimension values. + + Args: + param_node: The CoreParameter object + system: The tax-benefit system + breakdown_parent: The ancestor node with breakdown metadata (optional) + + Returns: + str or None: Generated label, or None if cannot generate + """ + # Find breakdown parent if not provided + if breakdown_parent is None: + breakdown_parent = _find_breakdown_parent(param_node) + if not breakdown_parent: + return None + + parent_label = breakdown_parent.metadata.get("label") + if not parent_label: + return None + + breakdown_vars = breakdown_parent.metadata.get("breakdown", []) + breakdown_labels = breakdown_parent.metadata.get("breakdown_labels", []) + + # Collect dimension values from breakdown parent to param_node + dimension_values = _collect_dimension_values( + param_node, breakdown_parent + ) + + if not dimension_values: + return None + + # Generate labels for each dimension + formatted_parts = [] + for i, (dim_key, dim_value) in enumerate(dimension_values): + var_name = breakdown_vars[i] if i < len(breakdown_vars) else None + dim_label = breakdown_labels[i] if i < len(breakdown_labels) else None + + formatted_value = _format_dimension_value( + dim_value, var_name, dim_label, system + ) + formatted_parts.append(formatted_value) + + return f"{parent_label} ({', '.join(formatted_parts)})" + + +def _collect_dimension_values(param_node, breakdown_parent): + """ + Collect dimension keys and values from breakdown parent to param_node. + + Args: + param_node: The CoreParameter object + breakdown_parent: The ancestor node with breakdown metadata + + Returns: + list of (dimension_key, value) tuples, ordered from parent to child + """ + # Build path from param_node up to breakdown_parent + path = [] + current = param_node + while current and current != breakdown_parent: + path.append(current) + current = getattr(current, "parent", None) + + # Reverse to get parent-to-child order + path.reverse() + + # Extract dimension values + dimension_values = [] + for i, node in enumerate(path): + key = node.name.split(".")[-1] + dimension_values.append((i, key)) + + return dimension_values + + +def _format_dimension_value(value, var_name, dim_label, system): + """ + Format a single dimension value with semantic label if available. + + Args: + value: The raw dimension value (e.g., "SINGLE", "1", "CA") + var_name: The breakdown variable name (e.g., "filing_status", "range(1, 9)") + dim_label: The human-readable label for this dimension (e.g., "Household size") + system: The tax-benefit system + + Returns: + str: Formatted dimension value + """ + # First, try to get enum display value + if var_name and not var_name.startswith("range(") and not var_name.startswith("list("): + var = system.variables.get(var_name) + if var and hasattr(var, "possible_values") and var.possible_values: + try: + enum_value = var.possible_values[value].value + return str(enum_value) + except (KeyError, AttributeError): + pass + + # For range() dimensions or when no enum found, use breakdown_label if available + if dim_label: + return f"{dim_label} {value}" + + return value + + +def _generate_breakdown_label_simple(param_node, system): + """ + Generate label for a direct child of a breakdown parameter. + + Kept for backwards compatibility with single-level breakdowns. + """ parent = param_node.parent parent_label = parent.metadata.get("label") breakdown_vars = parent.metadata.get("breakdown", []) diff --git a/tests/fixtures/parameter_labels_fixtures.py b/tests/fixtures/parameter_labels_fixtures.py index e43263c..cf0d003 100644 --- a/tests/fixtures/parameter_labels_fixtures.py +++ b/tests/fixtures/parameter_labels_fixtures.py @@ -38,16 +38,21 @@ def create_mock_parent_node( name: str, label: str | None = None, breakdown: list[str] | None = None, + breakdown_labels: list[str] | None = None, + parent: Any = None, ) -> MagicMock: """Create a mock parent ParameterNode with optional breakdown metadata.""" - parent = MagicMock() - parent.name = name - parent.metadata = {} + node = MagicMock() + node.name = name + node.metadata = {} + node.parent = parent if label: - parent.metadata["label"] = label + node.metadata["label"] = label if breakdown: - parent.metadata["breakdown"] = breakdown - return parent + node.metadata["breakdown"] = breakdown + if breakdown_labels: + node.metadata["breakdown_labels"] = breakdown_labels + return node def create_mock_scale( diff --git a/tests/test_parameter_labels.py b/tests/test_parameter_labels.py index b055e77..5687122 100644 --- a/tests/test_parameter_labels.py +++ b/tests/test_parameter_labels.py @@ -3,6 +3,7 @@ from unittest.mock import MagicMock from policyengine.utils.parameter_labels import ( + _find_breakdown_parent, _generate_bracket_label, _generate_breakdown_label, build_scale_lookup, @@ -407,3 +408,200 @@ def test__given_complex_bracket_path__then_extracts_correct_scale_name( # Then assert result == "Puerto Rico tax rate (bracket 1 rate)" + + +class TestFindBreakdownParent: + """Tests for the _find_breakdown_parent function.""" + + def test__given_direct_child__then_returns_parent(self): + # Given + parent = create_mock_parent_node( + name="gov.snap.max_allotment", + label="SNAP max allotment", + breakdown=["snap_region", "range(1, 9)"], + ) + param = create_mock_parameter( + name="gov.snap.max_allotment.CONTIGUOUS_US", + parent=parent, + ) + + # When + result = _find_breakdown_parent(param) + + # Then + assert result == parent + + def test__given_nested_child__then_returns_breakdown_ancestor(self): + # Given + breakdown_parent = create_mock_parent_node( + name="gov.snap.max_allotment", + label="SNAP max allotment", + breakdown=["snap_region", "range(1, 9)"], + ) + intermediate = create_mock_parent_node( + name="gov.snap.max_allotment.CONTIGUOUS_US", + parent=breakdown_parent, + ) + param = create_mock_parameter( + name="gov.snap.max_allotment.CONTIGUOUS_US.1", + parent=intermediate, + ) + + # When + result = _find_breakdown_parent(param) + + # Then + assert result == breakdown_parent + + def test__given_no_breakdown_in_ancestry__then_returns_none(self): + # Given + parent = create_mock_parent_node( + name="gov.tax.rate", + label="Tax rate", + ) + param = create_mock_parameter( + name="gov.tax.rate.value", + parent=parent, + ) + + # When + result = _find_breakdown_parent(param) + + # Then + assert result is None + + +class TestNestedBreakdownLabels: + """Tests for nested breakdown label generation.""" + + def test__given_nested_breakdown_with_enum_and_range__then_generates_full_label( + self, + ): + # Given + breakdown_parent = create_mock_parent_node( + name="gov.snap.max_allotment", + label="SNAP max allotment", + breakdown=["snap_region", "range(1, 9)"], + breakdown_labels=["SNAP region", "Household size"], + ) + intermediate = create_mock_parent_node( + name="gov.snap.max_allotment.CONTIGUOUS_US", + parent=breakdown_parent, + ) + param = create_mock_parameter( + name="gov.snap.max_allotment.CONTIGUOUS_US.1", + parent=intermediate, + ) + system = create_mock_system() + scale_lookup = {} + + # When + result = generate_label_for_parameter(param, system, scale_lookup) + + # Then + # Without snap_region enum in system, uses breakdown_label for first dimension too + assert result == "SNAP max allotment (SNAP region CONTIGUOUS_US, Household size 1)" + + def test__given_breakdown_labels_for_range__then_includes_semantic_label( + self, + ): + # Given + parent = create_mock_parent_node( + name="gov.benefits.amount", + label="Benefit amount", + breakdown=["range(1, 5)"], + breakdown_labels=["Number of dependants"], + ) + param = create_mock_parameter( + name="gov.benefits.amount.3", + parent=parent, + ) + system = create_mock_system() + scale_lookup = {} + + # When + result = generate_label_for_parameter(param, system, scale_lookup) + + # Then + assert result == "Benefit amount (Number of dependants 3)" + + def test__given_enum_with_breakdown_label__then_prefers_enum_value(self): + # Given + parent = create_mock_parent_node( + name="gov.exemptions.personal", + label="Personal exemption", + breakdown=["filing_status"], + breakdown_labels=["Filing status"], + ) + param = create_mock_parameter( + name="gov.exemptions.personal.SINGLE", + parent=parent, + ) + system = create_mock_system( + variables={"filing_status": VARIABLE_WITH_FILING_STATUS_ENUM} + ) + scale_lookup = {} + + # When + result = generate_label_for_parameter(param, system, scale_lookup) + + # Then + # Enum value "Single" is used, not "Filing status SINGLE" + assert result == "Personal exemption (Single)" + + def test__given_three_level_nesting__then_generates_all_dimensions(self): + # Given + breakdown_parent = create_mock_parent_node( + name="gov.irs.sales_tax", + label="State sales tax", + breakdown=["state_code", "range(1, 7)", "range(1, 20)"], + breakdown_labels=["State", "Income bracket", "Exemption count"], + ) + level1 = create_mock_parent_node( + name="gov.irs.sales_tax.CA", + parent=breakdown_parent, + ) + level2 = create_mock_parent_node( + name="gov.irs.sales_tax.CA.3", + parent=level1, + ) + param = create_mock_parameter( + name="gov.irs.sales_tax.CA.3.5", + parent=level2, + ) + system = create_mock_system( + variables={"state_code": VARIABLE_WITH_STATE_CODE_ENUM} + ) + scale_lookup = {} + + # When + result = generate_label_for_parameter(param, system, scale_lookup) + + # Then + assert result == "State sales tax (CA, Income bracket 3, Exemption count 5)" + + def test__given_missing_breakdown_labels__then_uses_raw_values(self): + # Given + breakdown_parent = create_mock_parent_node( + name="gov.snap.max_allotment", + label="SNAP max allotment", + breakdown=["snap_region", "range(1, 9)"], + # No breakdown_labels provided + ) + intermediate = create_mock_parent_node( + name="gov.snap.max_allotment.CONTIGUOUS_US", + parent=breakdown_parent, + ) + param = create_mock_parameter( + name="gov.snap.max_allotment.CONTIGUOUS_US.1", + parent=intermediate, + ) + system = create_mock_system() + scale_lookup = {} + + # When + result = generate_label_for_parameter(param, system, scale_lookup) + + # Then + # Falls back to raw values when no breakdown_labels + assert result == "SNAP max allotment (CONTIGUOUS_US, 1)" From 8010612906813f4456ab9491ebb557e897e1e19f Mon Sep 17 00:00:00 2001 From: Anthony Volk Date: Wed, 7 Jan 2026 18:21:04 +0300 Subject: [PATCH 2/5] fix: Remove unnecessary legacy code --- src/policyengine/utils/parameter_labels.py | 28 ---------------------- 1 file changed, 28 deletions(-) diff --git a/src/policyengine/utils/parameter_labels.py b/src/policyengine/utils/parameter_labels.py index 7c25a0a..11605da 100644 --- a/src/policyengine/utils/parameter_labels.py +++ b/src/policyengine/utils/parameter_labels.py @@ -162,34 +162,6 @@ def _format_dimension_value(value, var_name, dim_label, system): return value -def _generate_breakdown_label_simple(param_node, system): - """ - Generate label for a direct child of a breakdown parameter. - - Kept for backwards compatibility with single-level breakdowns. - """ - parent = param_node.parent - parent_label = parent.metadata.get("label") - breakdown_vars = parent.metadata.get("breakdown", []) - - if not parent_label: - return None - - child_key = param_node.name.split(".")[-1] - - for var_name in breakdown_vars: - var = system.variables.get(var_name) - if var and hasattr(var, "possible_values") and var.possible_values: - enum_class = var.possible_values - try: - enum_value = enum_class[child_key].value - return f"{parent_label} ({enum_value})" - except (KeyError, AttributeError): - continue - - return f"{parent_label} ({child_key})" - - def _generate_bracket_label(param_name, scale_lookup): """Generate label for a bracket parameter.""" match = re.match(r"^(.+)\[(\d+)\]\.(\w+)$", param_name) From 43c116a8b282a13aad22403fd3ebff0d81162aa2 Mon Sep 17 00:00:00 2001 From: Anthony Volk Date: Wed, 7 Jan 2026 18:26:36 +0300 Subject: [PATCH 3/5] test: Add tests for specific cases --- tests/fixtures/parameter_labels_fixtures.py | 1 + tests/test_parameter_labels.py | 287 ++++++++++++++++++++ 2 files changed, 288 insertions(+) diff --git a/tests/fixtures/parameter_labels_fixtures.py b/tests/fixtures/parameter_labels_fixtures.py index cf0d003..0e22424 100644 --- a/tests/fixtures/parameter_labels_fixtures.py +++ b/tests/fixtures/parameter_labels_fixtures.py @@ -11,6 +11,7 @@ class MockFilingStatus(Enum): SINGLE = "Single" JOINT = "Joint" HEAD_OF_HOUSEHOLD = "Head of household" + MARRIED_FILING_JOINTLY = "Married filing jointly" class MockStateCode(Enum): diff --git a/tests/test_parameter_labels.py b/tests/test_parameter_labels.py index 5687122..f058441 100644 --- a/tests/test_parameter_labels.py +++ b/tests/test_parameter_labels.py @@ -410,6 +410,148 @@ def test__given_complex_bracket_path__then_extracts_correct_scale_name( assert result == "Puerto Rico tax rate (bracket 1 rate)" +class TestSingleLevelBreakdownParam: + """Tests for single-level breakdown parameters (direct children of breakdown parent).""" + + def test__given_single_level_breakdown_with_enum__then_generates_label_with_enum_value( + self, + ): + # Given: A parameter that is a direct child of a breakdown parent + parent = create_mock_parent_node( + name="gov.tax.exemptions.by_status", + label="Tax exemption by filing status", + breakdown=["filing_status"], + ) + param = create_mock_parameter( + name="gov.tax.exemptions.by_status.MARRIED_FILING_JOINTLY", + parent=parent, + ) + system = create_mock_system( + variables={"filing_status": VARIABLE_WITH_FILING_STATUS_ENUM} + ) + scale_lookup = {} + + # When + result = generate_label_for_parameter(param, system, scale_lookup) + + # Then: Label uses enum display value + assert result == "Tax exemption by filing status (Married filing jointly)" + + def test__given_single_level_breakdown_without_enum__then_generates_label_with_raw_key( + self, + ): + # Given: A parameter whose breakdown variable has no enum + parent = create_mock_parent_node( + name="gov.benefits.by_category", + label="Benefit by category", + breakdown=["benefit_category"], + ) + param = create_mock_parameter( + name="gov.benefits.by_category.FOOD_ASSISTANCE", + parent=parent, + ) + system = create_mock_system(variables={}) + scale_lookup = {} + + # When + result = generate_label_for_parameter(param, system, scale_lookup) + + # Then: Falls back to raw key + assert result == "Benefit by category (FOOD_ASSISTANCE)" + + def test__given_single_level_range_breakdown__then_uses_raw_number(self): + # Given: A single-level breakdown with range (no breakdown_labels) + parent = create_mock_parent_node( + name="gov.benefits.by_size", + label="Benefit by household size", + breakdown=["range(1, 8)"], + ) + param = create_mock_parameter( + name="gov.benefits.by_size.4", + parent=parent, + ) + system = create_mock_system() + scale_lookup = {} + + # When + result = generate_label_for_parameter(param, system, scale_lookup) + + # Then: Uses raw number without semantic label + assert result == "Benefit by household size (4)" + + def test__given_single_level_range_with_breakdown_label__then_includes_semantic_label( + self, + ): + # Given: A single-level breakdown with range and breakdown_labels + parent = create_mock_parent_node( + name="gov.benefits.by_size", + label="Benefit by household size", + breakdown=["range(1, 8)"], + breakdown_labels=["Household size"], + ) + param = create_mock_parameter( + name="gov.benefits.by_size.4", + parent=parent, + ) + system = create_mock_system() + scale_lookup = {} + + # When + result = generate_label_for_parameter(param, system, scale_lookup) + + # Then: Includes semantic label + assert result == "Benefit by household size (Household size 4)" + + +class TestSingleLevelScaleParam: + """Tests confirming scale/bracket params are unaffected by breakdown changes.""" + + def test__given_single_bracket_param__then_generates_bracket_label(self): + # Given: A bracket parameter (not a breakdown) + param = create_mock_parameter(name="gov.tax.income.rates[0].rate") + scale = create_mock_scale( + name="gov.tax.income.rates", + label="Income tax rates", + scale_type="marginal_rate", + ) + system = create_mock_system() + scale_lookup = {"gov.tax.income.rates": scale} + + # When + result = generate_label_for_parameter(param, system, scale_lookup) + + # Then: Generates bracket label, not breakdown label + assert result == "Income tax rates (bracket 1 rate)" + + def test__given_bracket_param_with_breakdown_parent__then_bracket_takes_precedence( + self, + ): + # Given: A bracket parameter even if it has a parent with breakdown + # (This shouldn't happen in practice, but tests the precedence) + parent = create_mock_parent_node( + name="gov.tax.rates", + label="Tax rates", + breakdown=["filing_status"], + ) + param = create_mock_parameter( + name="gov.tax.rates[0].rate", + parent=parent, + ) + scale = create_mock_scale( + name="gov.tax.rates", + label="Tax rates", + scale_type="marginal_rate", + ) + system = create_mock_system() + scale_lookup = {"gov.tax.rates": scale} + + # When + result = generate_label_for_parameter(param, system, scale_lookup) + + # Then: Bracket notation takes precedence + assert result == "Tax rates (bracket 1 rate)" + + class TestFindBreakdownParent: """Tests for the _find_breakdown_parent function.""" @@ -605,3 +747,148 @@ def test__given_missing_breakdown_labels__then_uses_raw_values(self): # Then # Falls back to raw values when no breakdown_labels assert result == "SNAP max allotment (CONTIGUOUS_US, 1)" + + +class TestMixedNestedBreakdowns: + """Tests for complex mixed breakdowns with enums, ranges, and labels.""" + + def test__given_enum_range_enum_nesting__then_formats_each_correctly(self): + # Given: A complex 3-level breakdown: enum -> range -> enum + # Example: state -> household_size -> filing_status + breakdown_parent = create_mock_parent_node( + name="gov.tax.credits.earned_income", + label="Earned income credit", + breakdown=["state_code", "range(1, 6)", "filing_status"], + breakdown_labels=["State", "Number of children", "Filing status"], + ) + level1 = create_mock_parent_node( + name="gov.tax.credits.earned_income.CA", + parent=breakdown_parent, + ) + level2 = create_mock_parent_node( + name="gov.tax.credits.earned_income.CA.2", + parent=level1, + ) + param = create_mock_parameter( + name="gov.tax.credits.earned_income.CA.2.SINGLE", + parent=level2, + ) + system = create_mock_system( + variables={ + "state_code": VARIABLE_WITH_STATE_CODE_ENUM, + "filing_status": VARIABLE_WITH_FILING_STATUS_ENUM, + } + ) + scale_lookup = {} + + # When + result = generate_label_for_parameter(param, system, scale_lookup) + + # Then: Enum values use display names, range uses breakdown_label + assert result == "Earned income credit (CA, Number of children 2, Single)" + + def test__given_range_enum_range_nesting__then_formats_each_correctly(self): + # Given: range -> enum -> range nesting + breakdown_parent = create_mock_parent_node( + name="gov.childcare.subsidy", + label="Childcare subsidy", + breakdown=["range(1, 4)", "filing_status", "range(1, 10)"], + breakdown_labels=["Age group", "Filing status", "Household size"], + ) + level1 = create_mock_parent_node( + name="gov.childcare.subsidy.2", + parent=breakdown_parent, + ) + level2 = create_mock_parent_node( + name="gov.childcare.subsidy.2.HEAD_OF_HOUSEHOLD", + parent=level1, + ) + param = create_mock_parameter( + name="gov.childcare.subsidy.2.HEAD_OF_HOUSEHOLD.5", + parent=level2, + ) + system = create_mock_system( + variables={"filing_status": VARIABLE_WITH_FILING_STATUS_ENUM} + ) + scale_lookup = {} + + # When + result = generate_label_for_parameter(param, system, scale_lookup) + + # Then: Both ranges use breakdown_labels, enum uses display value + assert ( + result + == "Childcare subsidy (Age group 2, Head of household, Household size 5)" + ) + + def test__given_partial_breakdown_labels__then_uses_labels_where_available(self): + # Given: breakdown_labels list shorter than breakdown list + breakdown_parent = create_mock_parent_node( + name="gov.benefits.utility", + label="Utility allowance", + breakdown=["area_code", "range(1, 20)", "housing_type"], + breakdown_labels=["Area", "Household size"], # Missing label for housing_type + ) + level1 = create_mock_parent_node( + name="gov.benefits.utility.AREA_1", + parent=breakdown_parent, + ) + level2 = create_mock_parent_node( + name="gov.benefits.utility.AREA_1.3", + parent=level1, + ) + param = create_mock_parameter( + name="gov.benefits.utility.AREA_1.3.RENTER", + parent=level2, + ) + system = create_mock_system(variables={}) + scale_lookup = {} + + # When + result = generate_label_for_parameter(param, system, scale_lookup) + + # Then: Uses breakdown_labels where available, raw value for missing label + assert result == "Utility allowance (Area AREA_1, Household size 3, RENTER)" + + def test__given_four_level_nesting_with_mixed_types__then_generates_all_dimensions( + self, + ): + # Given: A deeply nested 4-level breakdown + breakdown_parent = create_mock_parent_node( + name="gov.irs.deductions.sales_tax", + label="State sales tax deduction", + breakdown=["state_code", "filing_status", "range(1, 7)", "range(1, 20)"], + breakdown_labels=["State", "Filing status", "Exemption count", "Income bracket"], + ) + level1 = create_mock_parent_node( + name="gov.irs.deductions.sales_tax.NY", + parent=breakdown_parent, + ) + level2 = create_mock_parent_node( + name="gov.irs.deductions.sales_tax.NY.JOINT", + parent=level1, + ) + level3 = create_mock_parent_node( + name="gov.irs.deductions.sales_tax.NY.JOINT.4", + parent=level2, + ) + param = create_mock_parameter( + name="gov.irs.deductions.sales_tax.NY.JOINT.4.12", + parent=level3, + ) + system = create_mock_system( + variables={ + "state_code": VARIABLE_WITH_STATE_CODE_ENUM, + "filing_status": VARIABLE_WITH_FILING_STATUS_ENUM, + } + ) + scale_lookup = {} + + # When + result = generate_label_for_parameter(param, system, scale_lookup) + + # Then: All 4 dimensions are formatted correctly + assert ( + result + == "State sales tax deduction (NY, Joint, Exemption count 4, Income bracket 12)" + ) From 6fc619d1a64e33e0ec10ba6928834d5a609b3ed2 Mon Sep 17 00:00:00 2001 From: Anthony Volk Date: Fri, 9 Jan 2026 22:36:54 +0300 Subject: [PATCH 4/5] fix: Handle list type in breakdown variable name check MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit The breakdown metadata can contain lists, so we need to check isinstance(var_name, str) before calling startswith(). 🤖 Generated with [Claude Code](https://claude.com/claude-code) Co-Authored-By: Claude Opus 4.5 --- .vscode/settings.json | 5 + BREAKDOWN_PARENTS_ANALYSIS.md | 9391 ++++++++++++++++++++ US_PARAMETER_LABEL_ANALYSIS.md | 2390 +++++ src/policyengine/utils/parameter_labels.py | 2 +- 4 files changed, 11787 insertions(+), 1 deletion(-) create mode 100644 .vscode/settings.json create mode 100644 BREAKDOWN_PARENTS_ANALYSIS.md create mode 100644 US_PARAMETER_LABEL_ANALYSIS.md diff --git a/.vscode/settings.json b/.vscode/settings.json new file mode 100644 index 0000000..87cdebf --- /dev/null +++ b/.vscode/settings.json @@ -0,0 +1,5 @@ +{ + "python-envs.defaultEnvManager": "ms-python.python:conda", + "python-envs.defaultPackageManager": "ms-python.python:conda", + "python-envs.pythonProjects": [] +} \ No newline at end of file diff --git a/BREAKDOWN_PARENTS_ANALYSIS.md b/BREAKDOWN_PARENTS_ANALYSIS.md new file mode 100644 index 0000000..7019a10 --- /dev/null +++ b/BREAKDOWN_PARENTS_ANALYSIS.md @@ -0,0 +1,9391 @@ +# Breakdown Parents with Labels - Complete Analysis + +This document lists all 432 breakdown parents that have labels in policyengine-us. +For each parent, we show how labels are currently generated and how they could be improved. + +**Total breakdown parents with labels:** 432 +**Total child parameters covered:** 40,115 + +--- + +## Summary Table + +| # | Parent Path | Label | Dimensions | Children | +|---|-------------|-------|------------|----------| +| 1 | `gov.states.nc.ncdhhs.scca.childcare_market_rates` | North Carolina SCCA program market rates | 2 | 12,896 | +| 2 | `gov.states.tx.twc.ccs.payment.rates` | Texas CCS maximum reimbursement rates by workforce board region | 5 | 8,064 | +| 3 | `gov.irs.deductions.itemized.salt_and_real_estate.state_sales_tax_table.tax` | Optional state sales tax table | 3 | 6,726 | +| 4 | `gov.aca.state_rating_area_cost` | Second Lowest Cost Silver Plan premiums by rating area | 2 | 3,953 | +| 5 | `gov.states.or.tax.income.credits.wfhdc.match` | Oregon working family household and dependent care credit credit rate | 2 | 186 | +| 6 | `gov.states.il.dhs.aabd.payment.utility.water` | Illinois AABD water allowance by area | 2 | 152 | +| 7 | `gov.states.il.dhs.aabd.payment.utility.metered_gas` | Illinois AABD metered gas allowance by area | 2 | 152 | +| 8 | `gov.states.il.dhs.aabd.payment.utility.electricity` | Illinois AABD electricity allowance by area | 2 | 152 | +| 9 | `gov.states.il.dhs.aabd.payment.utility.coal` | Illinois AABD coal allowance by area | 2 | 152 | +| 10 | `gov.states.il.dhs.aabd.payment.utility.cooking_fuel` | Illinois AABD cooking fuel allowance by area | 2 | 152 | +| 11 | `gov.states.il.dhs.aabd.payment.utility.bottled_gas` | Illinois AABD bottled gas allowance by area | 2 | 152 | +| 12 | `gov.states.il.dhs.aabd.payment.utility.fuel_oil` | Illinois AABD fuel oil allowance by area | 2 | 152 | +| 13 | `gov.states.dc.dhs.ccsp.reimbursement_rates` | DC CCSP reimbursement rates | 3 | 126 | +| 14 | `gov.states.vt.tax.income.credits.renter.income_limit_ami.fifty_percent` | Vermont partial renter credit income limit | 1 | 112 | +| 15 | `gov.states.vt.tax.income.credits.renter.income_limit_ami.thirty_percent` | Vermont full renter credit income limit | 1 | 112 | +| 16 | `gov.states.vt.tax.income.credits.renter.fair_market_rent` | Vermont fair market rent amount | 1 | 112 | +| 17 | `gov.states.dc.doee.liheap.payment.gas` | DC LIHEAP Gas payment | 3 | 80 | +| 18 | `gov.states.dc.doee.liheap.payment.electricity` | DC LIHEAP Electricity payment | 3 | 80 | +| 19 | `gov.usda.snap.max_allotment.main` | SNAP max allotment | 2 | 63 | +| 20 | `calibration.gov.aca.enrollment.state` | ACA enrollment by state | 1 | 59 | +| 21 | `calibration.gov.aca.spending.state` | Federal ACA spending by state | 1 | 59 | +| 22 | `calibration.gov.hhs.medicaid.enrollment.non_expansion_adults` | Non-expansion adults enrolled in Medicaid | 1 | 59 | +| 23 | `calibration.gov.hhs.medicaid.enrollment.aged` | Aged persons enrolled in Medicaid | 1 | 59 | +| 24 | `calibration.gov.hhs.medicaid.enrollment.expansion_adults` | Expansion adults enrolled in Medicaid | 1 | 59 | +| 25 | `calibration.gov.hhs.medicaid.enrollment.disabled` | Disabled persons enrolled in Medicaid | 1 | 59 | +| 26 | `calibration.gov.hhs.medicaid.enrollment.child` | Children enrolled in Medicaid | 1 | 59 | +| 27 | `calibration.gov.hhs.medicaid.spending.by_eligibility_group.non_expansion_adults` | Medicaid spending for non-expansion adult enrollees | 1 | 59 | +| 28 | `calibration.gov.hhs.medicaid.spending.by_eligibility_group.aged` | Medicaid spending for aged enrollees | 1 | 59 | +| 29 | `calibration.gov.hhs.medicaid.spending.by_eligibility_group.expansion_adults` | Medicaid spending for expansion adult enrollees | 1 | 59 | +| 30 | `calibration.gov.hhs.medicaid.spending.by_eligibility_group.disabled` | Medicaid spending for disabled enrollees | 1 | 59 | +| 31 | `calibration.gov.hhs.medicaid.spending.by_eligibility_group.child` | Medicaid spending for child enrollees | 1 | 59 | +| 32 | `calibration.gov.hhs.medicaid.spending.totals.state` | State Medicaid spending | 1 | 59 | +| 33 | `calibration.gov.hhs.medicaid.spending.totals.federal` | Federal Medicaid spending by state | 1 | 59 | +| 34 | `calibration.gov.hhs.cms.chip.enrollment.total` | Enrollment in all CHIP programs by state | 1 | 59 | +| 35 | `calibration.gov.hhs.cms.chip.enrollment.medicaid_expansion_chip` | Enrollment in Medicaid Expansion CHIP programs by state | 1 | 59 | +| 36 | `calibration.gov.hhs.cms.chip.enrollment.separate_chip` | Enrollment in Separate CHIP programs by state | 1 | 59 | +| 37 | `calibration.gov.hhs.cms.chip.spending.separate_chip.state` | State share of CHIP spending for separate CHIP programs and coverage of pregnant women | 1 | 59 | +| 38 | `calibration.gov.hhs.cms.chip.spending.separate_chip.total` | CHIP spending for separate CHIP programs and coverage of pregnant women | 1 | 59 | +| 39 | `calibration.gov.hhs.cms.chip.spending.separate_chip.federal` | Federal share of CHIP spending for separate CHIP programs and coverage of pregnant women | 1 | 59 | +| 40 | `calibration.gov.hhs.cms.chip.spending.medicaid_expansion_chip.state` | State share of CHIP spending for Medicaid-expansion populations | 1 | 59 | +| 41 | `calibration.gov.hhs.cms.chip.spending.medicaid_expansion_chip.total` | CHIP spending for Medicaid-expansion populations | 1 | 59 | +| 42 | `calibration.gov.hhs.cms.chip.spending.medicaid_expansion_chip.federal` | Federal share of CHIP spending for Medicaid-expansion populations | 1 | 59 | +| 43 | `calibration.gov.hhs.cms.chip.spending.total.state` | State share of total CHIP spending | 1 | 59 | +| 44 | `calibration.gov.hhs.cms.chip.spending.total.total` | Total CHIP spending | 1 | 59 | +| 45 | `calibration.gov.hhs.cms.chip.spending.total.federal` | Federal share of total CHIP spending | 1 | 59 | +| 46 | `calibration.gov.hhs.cms.chip.spending.program_admin.state` | State share of state program administration costs for CHIP | 1 | 59 | +| 47 | `calibration.gov.hhs.cms.chip.spending.program_admin.total` | Total state program administration costs for CHIP | 1 | 59 | +| 48 | `calibration.gov.hhs.cms.chip.spending.program_admin.federal` | Federal share of state program administration costs for CHIP | 1 | 59 | +| 49 | `gov.aca.enrollment.state` | ACA enrollment by state | 1 | 59 | +| 50 | `gov.aca.family_tier_states` | Family tier rating states | 1 | 59 | +| 51 | `gov.aca.spending.state` | Federal ACA spending by state | 1 | 59 | +| 52 | `gov.usda.snap.income.deductions.self_employment.rate` | SNAP self-employment simplified deduction rate | 1 | 59 | +| 53 | `gov.usda.snap.income.deductions.self_employment.expense_based_deduction_applies` | SNAP self-employment expense-based deduction applies | 1 | 59 | +| 54 | `gov.usda.snap.income.deductions.excess_shelter_expense.homeless.available` | SNAP homeless shelter deduction available | 1 | 59 | +| 55 | `gov.usda.snap.income.deductions.child_support` | SNAP child support gross income deduction | 1 | 59 | +| 56 | `gov.usda.snap.income.deductions.utility.single.water` | SNAP standard utility allowance for water expenses | 1 | 59 | +| 57 | `gov.usda.snap.income.deductions.utility.single.electricity` | SNAP standard utility allowance for electricity expenses | 1 | 59 | +| 58 | `gov.usda.snap.income.deductions.utility.single.trash` | SNAP standard utility allowance for trash expenses | 1 | 59 | +| 59 | `gov.usda.snap.income.deductions.utility.single.sewage` | SNAP standard utility allowance for sewage expenses | 1 | 59 | +| 60 | `gov.usda.snap.income.deductions.utility.single.gas_and_fuel` | SNAP standard utility allowance for gas and fuel expenses | 1 | 59 | +| 61 | `gov.usda.snap.income.deductions.utility.single.phone` | SNAP standard utility allowance for phone expenses | 1 | 59 | +| 62 | `gov.usda.snap.income.deductions.utility.always_standard` | SNAP States using SUA | 1 | 59 | +| 63 | `gov.usda.snap.income.deductions.utility.standard.main` | SNAP standard utility allowance | 1 | 59 | +| 64 | `gov.usda.snap.income.deductions.utility.limited.active` | SNAP Limited Utility Allowance active | 1 | 59 | +| 65 | `gov.usda.snap.income.deductions.utility.limited.main` | SNAP limited utility allowance | 1 | 59 | +| 66 | `gov.usda.snap.emergency_allotment.in_effect` | SNAP emergency allotment in effect | 1 | 59 | +| 67 | `gov.hhs.head_start.spending` | Head Start state-level spending amount | 1 | 59 | +| 68 | `gov.hhs.head_start.enrollment` | Head Start state-level enrollment | 1 | 59 | +| 69 | `gov.hhs.head_start.early_head_start.spending` | Early Head Start state-level funding amount | 1 | 59 | +| 70 | `gov.hhs.head_start.early_head_start.enrollment` | Early Head Start state-level enrollment | 1 | 59 | +| 71 | `gov.hhs.medicaid.eligibility.undocumented_immigrant` | Medicaid undocumented immigrant eligibility | 1 | 59 | +| 72 | `gov.hhs.medicaid.eligibility.categories.young_child.income_limit` | Medicaid young child income limit | 1 | 59 | +| 73 | `gov.hhs.medicaid.eligibility.categories.senior_or_disabled.income.limit.couple` | Medicaid senior or disabled income limit (couple) | 1 | 59 | +| 74 | `gov.hhs.medicaid.eligibility.categories.senior_or_disabled.income.limit.individual` | Medicaid senior or disabled income limit (individual) | 1 | 59 | +| 75 | `gov.hhs.medicaid.eligibility.categories.senior_or_disabled.income.disregard.couple` | Medicaid senior or disabled income disregard (couple) | 1 | 59 | +| 76 | `gov.hhs.medicaid.eligibility.categories.senior_or_disabled.income.disregard.individual` | Medicaid senior or disabled income disregard (individual) | 1 | 59 | +| 77 | `gov.hhs.medicaid.eligibility.categories.senior_or_disabled.assets.limit.couple` | Medicaid senior or disabled asset limit (couple) | 1 | 59 | +| 78 | `gov.hhs.medicaid.eligibility.categories.senior_or_disabled.assets.limit.individual` | Medicaid senior or disabled asset limit (individual) | 1 | 59 | +| 79 | `gov.hhs.medicaid.eligibility.categories.young_adult.income_limit` | Medicaid pregnant income limit | 1 | 59 | +| 80 | `gov.hhs.medicaid.eligibility.categories.older_child.income_limit` | Medicaid older child income limit | 1 | 59 | +| 81 | `gov.hhs.medicaid.eligibility.categories.parent.income_limit` | Medicaid parent income limit | 1 | 59 | +| 82 | `gov.hhs.medicaid.eligibility.categories.pregnant.income_limit` | Medicaid pregnant income limit | 1 | 59 | +| 83 | `gov.hhs.medicaid.eligibility.categories.pregnant.postpartum_coverage` | Medicaid postpartum coverage | 1 | 59 | +| 84 | `gov.hhs.medicaid.eligibility.categories.ssi_recipient.is_covered` | Medicaid covers all SSI recipients | 1 | 59 | +| 85 | `gov.hhs.medicaid.eligibility.categories.infant.income_limit` | Medicaid infant income limit | 1 | 59 | +| 86 | `gov.hhs.medicaid.eligibility.categories.adult.income_limit` | Medicaid adult income limit | 1 | 59 | +| 87 | `gov.hhs.chip.fcep.income_limit` | CHIP FCEP pregnant income limit | 1 | 59 | +| 88 | `gov.hhs.chip.pregnant.income_limit` | CHIP pregnant income limit | 1 | 59 | +| 89 | `gov.hhs.chip.child.income_limit` | CHIP child income limit | 1 | 59 | +| 90 | `gov.hhs.medicare.savings_programs.eligibility.asset.applies` | MSP asset test applies | 1 | 59 | +| 91 | `gov.hhs.tanf.non_cash.income_limit.gross` | SNAP BBCE gross income limit | 1 | 59 | +| 92 | `gov.states.ma.dta.ssp.amount` | Massachusetts SSP payment amount | 3 | 48 | +| 93 | `gov.states.ma.eec.ccfa.reimbursement_rates.center_based.school_age` | Massachusetts CCFA center-based school age reimbursement rates | 3 | 48 | +| 94 | `gov.contrib.additional_tax_bracket.bracket.thresholds` | Individual income tax rate thresholds | 2 | 40 | +| 95 | `gov.usda.snap.income.deductions.standard` | SNAP standard deduction | 2 | 36 | +| 96 | `gov.irs.income.bracket.thresholds` | Individual income tax rate thresholds | 2 | 35 | +| 97 | `gov.states.ma.eec.ccfa.copay.fee_level.fee_percentages` | Massachusetts CCFA fee percentage by fee level | 1 | 29 | +| 98 | `gov.states.pa.dhs.tanf.standard_of_need.amount` | Pennsylvania TANF Standard of Need by county group | 1 | 24 | +| 99 | `gov.states.pa.dhs.tanf.family_size_allowance.amount` | Pennsylvania TANF family size allowance by county group | 1 | 24 | +| 100 | `gov.states.ma.doer.liheap.standard.amount.non_subsidized` | Massachusetts LIHEAP homeowners and non subsidized housing payment amount | 2 | 21 | +| 101 | `gov.states.ma.doer.liheap.standard.amount.subsidized` | Massachusetts LIHEAP subsidized housing payment amount | 2 | 21 | +| 102 | `gov.states.mn.dcyf.mfip.transitional_standard.amount` | Minnesota MFIP Transitional Standard amount | 1 | 20 | +| 103 | `gov.states.dc.dhs.tanf.standard_payment.amount` | DC TANF standard payment amount | 1 | 20 | +| 104 | `gov.hud.ami_limit.family_size` | HUD area median income limit | 2 | 20 | +| 105 | `gov.states.ut.dwf.fep.standard_needs_budget.amount` | Utah FEP Standard Needs Budget (SNB) | 1 | 19 | +| 106 | `gov.states.ut.dwf.fep.payment_standard.amount` | Utah FEP maximum benefit amount | 1 | 19 | +| 107 | `gov.states.mo.dss.tanf.standard_of_need.amount` | Missouri TANF standard of need | 1 | 19 | +| 108 | `gov.states.ar.dhs.tea.payment_standard.amount` | Arkansas TEA payment standard amount | 1 | 19 | +| 109 | `gov.usda.school_meals.amount.nslp` | National School Lunch Program value | 2 | 18 | +| 110 | `gov.usda.school_meals.amount.sbp` | School Breakfast Program value | 2 | 18 | +| 111 | `gov.contrib.harris.capital_gains.thresholds` | Harris capital gains tax rate thresholds | 2 | 15 | +| 112 | `gov.states.oh.odjfs.owf.payment_standard.amounts` | Ohio Works First payment standard amounts | 1 | 15 | +| 113 | `gov.states.nc.ncdhhs.tanf.need_standard.main` | North Carolina TANF monthly need standard | 1 | 14 | +| 114 | `gov.states.ma.eec.ccfa.copay.fee_level.income_ratio_increments` | Massachusetts CCFA income ratio increments by household size | 1 | 13 | +| 115 | `gov.states.ma.eec.ccfa.reimbursement_rates.head_start_partner_and_kindergarten` | Massachusetts CCFA head start partner and kindergarten reimbursement rates | 2 | 12 | +| 116 | `gov.states.ma.eec.ccfa.reimbursement_rates.center_based.early_education` | Massachusetts CCFA center-based early education reimbursement rates | 2 | 12 | +| 117 | `gov.hhs.fpg` | Federal poverty guidelines | 2 | 12 | +| 118 | `gov.states.ga.dfcs.tanf.financial_standards.family_maximum.base` | Georgia TANF family maximum base amount | 1 | 11 | +| 119 | `gov.states.ga.dfcs.tanf.financial_standards.standard_of_need.base` | Georgia TANF standard of need base amount | 1 | 11 | +| 120 | `gov.usda.snap.income.deductions.utility.standard.by_household_size.amount` | SNAP SUAs by household size | 2 | 10 | +| 121 | `gov.usda.snap.income.deductions.utility.limited.by_household_size.amount` | SNAP LUAs by household size | 2 | 10 | +| 122 | `gov.states.ms.dhs.tanf.need_standard.amount` | Mississippi TANF need standard amount | 1 | 10 | +| 123 | `gov.states.in.fssa.tanf.standard_of_need.amount` | Indiana TANF standard of need amount | 1 | 10 | +| 124 | `gov.states.ca.cdss.tanf.cash.monthly_payment.region1.exempt` | California CalWORKs monthly payment level - exempt map region 1 | 1 | 10 | +| 125 | `gov.states.ca.cdss.tanf.cash.monthly_payment.region1.non_exempt` | California CalWORKs monthly payment level - non-exempt map region 1 | 1 | 10 | +| 126 | `gov.states.ca.cdss.tanf.cash.monthly_payment.region2.exempt` | California CalWORKs monthly payment level - exempt map region 2 | 1 | 10 | +| 127 | `gov.states.ca.cdss.tanf.cash.monthly_payment.region2.non_exempt` | California CalWORKs monthly payment level - non-exempt map region 2 | 1 | 10 | +| 128 | `gov.states.ca.cdss.tanf.cash.income.monthly_limit.region1.main` | California CalWORKs monthly income limit for region 1 | 1 | 10 | +| 129 | `gov.states.ca.cdss.tanf.cash.income.monthly_limit.region2.main` | California CalWORKs monthly income limit for region 2 | 1 | 10 | +| 130 | `gov.states.ks.dcf.tanf.payment_standard.amount` | Kansas TANF payment standard amount | 1 | 10 | +| 131 | `gov.states.ne.dhhs.adc.benefit.standard_of_need.amount` | Nebraska ADC standard of need | 1 | 10 | +| 132 | `gov.states.id.tafi.work_incentive_table.amount` | Idaho TAFI work incentive table amount | 1 | 10 | +| 133 | `gov.states.or.odhs.tanf.income.countable_income_limit.amount` | Oregon TANF countable income limit | 1 | 10 | +| 134 | `gov.states.or.odhs.tanf.income.adjusted_income_limit.amount` | Oregon TANF adjusted income limit | 1 | 10 | +| 135 | `gov.states.or.odhs.tanf.payment_standard.amount` | Oregon TANF payment standard | 1 | 10 | +| 136 | `gov.states.wa.dshs.tanf.income.limit` | Washington TANF maximum gross earned income limit | 1 | 10 | +| 137 | `gov.states.wa.dshs.tanf.payment_standard.amount` | Washington TANF payment standard | 1 | 10 | +| 138 | `gov.contrib.additional_tax_bracket.bracket.rates` | Individual income tax rates | 1 | 8 | +| 139 | `gov.states.ma.dta.tcap.eaedc.standard_assistance.amount.additional` | Massachusetts EAEDC standard assistance additional amount | 1 | 8 | +| 140 | `gov.states.ma.dta.tcap.eaedc.standard_assistance.amount.base` | Massachusetts EAEDC standard assistance base amount | 1 | 8 | +| 141 | `gov.states.nj.njdhs.tanf.maximum_benefit.main` | New Jersey TANF monthly maximum benefit | 1 | 8 | +| 142 | `gov.states.nj.njdhs.tanf.maximum_allowable_income.main` | New Jersey TANF monthly maximum allowable income | 1 | 8 | +| 143 | `gov.states.il.dhs.aabd.payment.personal_allowance.bedfast` | Illinois AABD bedfast applicant personal allowance | 1 | 8 | +| 144 | `gov.states.il.dhs.aabd.payment.personal_allowance.active` | Illinois AABD active applicant personal allowance | 1 | 8 | +| 145 | `gov.usda.snap.income.deductions.excess_shelter_expense.cap` | SNAP maximum shelter deduction | 1 | 7 | +| 146 | `gov.states.ma.doer.liheap.hecs.amount.non_subsidized` | Massachusetts LIHEAP High Energy Cost Supplement payment for homeowners and non-subsidized housing applicants | 1 | 7 | +| 147 | `gov.states.ma.doer.liheap.hecs.amount.subsidized` | Massachusetts LIHEAP High Energy Cost Supplement payment for subsidized housing applicants | 1 | 7 | +| 148 | `gov.states.ky.dcbs.ktap.benefit.standard_of_need` | Kentucky K-TAP standard of need | 1 | 7 | +| 149 | `gov.states.ky.dcbs.ktap.benefit.payment_maximum` | Kentucky K-TAP payment maximum | 1 | 7 | +| 150 | `gov.irs.income.bracket.rates` | Individual income tax rates | 1 | 7 | +| 151 | `gov.aca.family_tier_ratings.ny` | ACA premium family tier multipliers - NY | 1 | 6 | +| 152 | `gov.aca.family_tier_ratings.vt` | ACA premium family tier multipliers - VT | 1 | 6 | +| 153 | `gov.usda.wic.nutritional_risk` | WIC nutritional risk | 1 | 6 | +| 154 | `gov.usda.wic.takeup` | WIC takeup rate | 1 | 6 | +| 155 | `gov.states.ma.doer.liheap.hecs.eligibility.prior_year_cost_threshold` | Massachusetts LIHEAP HECS payment threshold | 1 | 6 | +| 156 | `gov.states.ny.otda.tanf.need_standard.main` | New York TANF monthly income limit | 1 | 6 | +| 157 | `gov.states.ny.otda.tanf.grant_standard.main` | New York TANF monthly income limit | 1 | 6 | +| 158 | `calibration.gov.hhs.medicaid.totals.per_capita` | Per-capita Medicaid cost for other adults | 1 | 5 | +| 159 | `gov.territories.pr.tax.income.taxable_income.exemptions.personal` | Puerto Rico personal exemption amount | 1 | 5 | +| 160 | `gov.contrib.biden.budget_2025.capital_gains.income_threshold` | Threshold above which capital income is taxed as ordinary income | 1 | 5 | +| 161 | `gov.contrib.harris.lift.middle_class_tax_credit.phase_out.width` | Middle Class Tax Credit phase-out width | 1 | 5 | +| 162 | `gov.contrib.harris.lift.middle_class_tax_credit.phase_out.start` | Middle Class Tax Credit phase-out start | 1 | 5 | +| 163 | `gov.contrib.ubi_center.basic_income.agi_limit.amount` | Basic income AGI limit | 1 | 5 | +| 164 | `gov.contrib.ubi_center.basic_income.phase_out.end` | Basic income phase-out end | 1 | 5 | +| 165 | `gov.contrib.ubi_center.basic_income.phase_out.threshold` | Basic income phase-out threshold | 1 | 5 | +| 166 | `gov.contrib.ubi_center.flat_tax.exemption.agi` | Flat tax on AGI exemption amount | 1 | 5 | +| 167 | `gov.contrib.crfb.ss_credit.amount` | CRFB Social Security nonrefundable credit amount | 1 | 5 | +| 168 | `gov.contrib.local.nyc.stc.income_limit` | NYC School Tax Credit Income Limit | 1 | 5 | +| 169 | `gov.contrib.states.ri.dependent_exemption.phaseout.threshold` | Rhode Island dependent exemption phaseout threshold | 1 | 5 | +| 170 | `gov.contrib.states.ri.ctc.phaseout.threshold` | Rhode Island Child Tax Credit phaseout threshold | 1 | 5 | +| 171 | `gov.contrib.states.dc.property_tax.income_limit.non_elderly` | DC property tax credit non-elderly income limit | 1 | 5 | +| 172 | `gov.contrib.states.dc.property_tax.income_limit.elderly` | DC property tax credit elderly income limit | 1 | 5 | +| 173 | `gov.contrib.states.dc.property_tax.amount` | DC property tax credit amount | 1 | 5 | +| 174 | `gov.contrib.states.de.dependent_credit.phaseout.threshold` | Delaware dependent credit phaseout threshold | 1 | 5 | +| 175 | `gov.contrib.dc_kccatc.phase_out.threshold` | DC KCCATC phase-out threshold | 13 | 5 | +| 176 | `gov.contrib.congress.hawley.awra.phase_out.start` | American Worker Rebate Act phase-out start | 1 | 5 | +| 177 | `gov.contrib.congress.tlaib.end_child_poverty_act.filer_credit.phase_out.start` | End Child Poverty Act filer credit phase-out start | 1 | 5 | +| 178 | `gov.contrib.congress.tlaib.end_child_poverty_act.filer_credit.amount` | End Child Poverty Act filer credit amount | 1 | 5 | +| 179 | `gov.contrib.congress.tlaib.economic_dignity_for_all_agenda.end_child_poverty_act.filer_credit.phase_out.start` | Filer credit phase-out start | 1 | 5 | +| 180 | `gov.contrib.congress.tlaib.economic_dignity_for_all_agenda.end_child_poverty_act.filer_credit.amount` | Filer credit amount | 1 | 5 | +| 181 | `gov.contrib.congress.afa.ctc.phase_out.threshold.lower` | AFA CTC phase-out lower threshold | 1 | 5 | +| 182 | `gov.contrib.congress.afa.ctc.phase_out.threshold.higher` | AFA CTC phase-out higher threshold | 1 | 5 | +| 183 | `gov.local.ca.riv.general_relief.needs_standards.personal_needs` | Riverside County General Relief personal needs standard | 1 | 5 | +| 184 | `gov.local.ca.riv.general_relief.needs_standards.food` | Riverside County General Relief food needs standard | 1 | 5 | +| 185 | `gov.local.ca.riv.general_relief.needs_standards.housing` | Riverside County General Relief housing needs standard | 1 | 5 | +| 186 | `gov.local.ny.nyc.tax.income.credits.school.fixed.amount` | NYC School Tax Credit Fixed Amount | 1 | 5 | +| 187 | `gov.states.vt.tax.income.agi.retirement_income_exemption.social_security.reduction.end` | Vermont social security retirement income exemption income threshold | 1 | 5 | +| 188 | `gov.states.vt.tax.income.agi.retirement_income_exemption.social_security.reduction.start` | Vermont social security retirement income exemption reduction threshold | 1 | 5 | +| 189 | `gov.states.vt.tax.income.agi.retirement_income_exemption.csrs.reduction.end` | Vermont CSRS and military retirement income exemption income threshold | 1 | 5 | +| 190 | `gov.states.vt.tax.income.agi.retirement_income_exemption.csrs.reduction.start` | Vermont CSRS and military retirement income exemption reduction threshold | 1 | 5 | +| 191 | `gov.states.vt.tax.income.deductions.standard.base` | Vermont standard deduction | 1 | 5 | +| 192 | `gov.states.vt.tax.income.credits.cdcc.low_income.income_threshold` | Vermont low-income CDCC AGI limit | 1 | 5 | +| 193 | `gov.states.va.tax.income.subtractions.age_deduction.threshold` | Adjusted federal AGI threshold for VA taxpayers eligible for an age deduction | 1 | 5 | +| 194 | `gov.states.va.tax.income.deductions.itemized.applicable_amount` | Virginia itemized deduction applicable amount | 1 | 5 | +| 195 | `gov.states.va.tax.income.deductions.standard` | Virginia standard deduction | 1 | 5 | +| 196 | `gov.states.va.tax.income.rebate.amount` | Virginia rebate amount | 1 | 5 | +| 197 | `gov.states.va.tax.income.filing_requirement` | Virginia filing requirement | 1 | 5 | +| 198 | `gov.states.ut.tax.income.credits.ctc.reduction.start` | Utah child tax credit reduction start | 1 | 5 | +| 199 | `gov.states.ga.tax.income.deductions.standard.amount` | Georgia standard deduction amount | 1 | 5 | +| 200 | `gov.states.ga.tax.income.exemptions.personal.amount` | Georgia personal exemption amount | 1 | 5 | +| 201 | `gov.states.ga.tax.income.credits.surplus_tax_rebate.amount` | Georgia surplus tax rebate amount | 1 | 5 | +| 202 | `gov.states.ms.tax.income.deductions.standard.amount` | Mississippi standard deduction | 1 | 5 | +| 203 | `gov.states.ms.tax.income.exemptions.regular.amount` | Mississippi exemption | 1 | 5 | +| 204 | `gov.states.ms.tax.income.credits.charitable_contribution.cap` | Mississippi credit for contributions to foster organizations cap | 1 | 5 | +| 205 | `gov.states.mt.tax.income.deductions.itemized.federal_income_tax.cap` | Montana federal income tax deduction cap | 1 | 5 | +| 206 | `gov.states.mt.tax.income.deductions.standard.floor` | Montana minimum standard deduction | 1 | 5 | +| 207 | `gov.states.mt.tax.income.deductions.standard.cap` | Montana standard deduction max amount | 1 | 5 | +| 208 | `gov.states.mt.tax.income.social_security.amount.upper` | Montana social security benefits amount | 1 | 5 | +| 209 | `gov.states.mt.tax.income.social_security.amount.lower` | Montana social security benefits amount | 1 | 5 | +| 210 | `gov.states.mt.tax.income.main.capital_gains.rates.main` | Montana capital gains tax rate when nonqualified income exceeds threshold | 1 | 5 | +| 211 | `gov.states.mt.tax.income.main.capital_gains.threshold` | Montana capital gains tax threshold | 1 | 5 | +| 212 | `gov.states.mt.tax.income.exemptions.interest.cap` | Montana senior interest income exclusion cap | 1 | 5 | +| 213 | `gov.states.mt.tax.income.credits.rebate.amount` | Montana income tax rebate amount | 1 | 5 | +| 214 | `gov.states.mo.tax.income.deductions.federal_income_tax.cap` | Missouri federal income tax deduction caps | 1 | 5 | +| 215 | `gov.states.mo.tax.income.deductions.mo_private_pension_deduction_allowance` | Missouri private pension deduction allowance | 1 | 5 | +| 216 | `gov.states.mo.tax.income.deductions.social_security_and_public_pension.mo_ss_or_ssd_deduction_allowance` | Missouri social security or social security disability deduction allowance | 1 | 5 | +| 217 | `gov.states.mo.tax.income.deductions.social_security_and_public_pension.mo_public_pension_deduction_allowance` | Missouri Public Pension Deduction Allowance | 1 | 5 | +| 218 | `gov.states.mo.tax.income.deductions.social_security_and_public_pension.mo_ss_or_ssdi_exemption_threshold` | Missouri social security or social security disability income exemption threshold | 1 | 5 | +| 219 | `gov.states.ma.tax.income.deductions.rent.cap` | Massachusetts rental deduction cap. | 1 | 5 | +| 220 | `gov.states.ma.tax.income.exempt_status.limit.personal_exemption_added` | Massachusetts income tax exemption limit includes personal exemptions | 1 | 5 | +| 221 | `gov.states.ma.tax.income.exempt_status.limit.base` | AGI addition to limit to be exempt from Massachusetts income tax. | 1 | 5 | +| 222 | `gov.states.ma.tax.income.exemptions.interest.amount` | Massachusetts interest exemption | 1 | 5 | +| 223 | `gov.states.ma.tax.income.exemptions.personal` | Massachusetts income tax personal exemption | 1 | 5 | +| 224 | `gov.states.ma.tax.income.credits.senior_circuit_breaker.eligibility.max_income` | Massachusetts Senior Circuit Breaker maximum income | 1 | 5 | +| 225 | `gov.states.al.tax.income.deductions.standard.amount.max` | Alabama standard deduction maximum amount | 1 | 5 | +| 226 | `gov.states.al.tax.income.deductions.standard.amount.min` | Alabama standard deduction minimum amount | 1 | 5 | +| 227 | `gov.states.al.tax.income.deductions.standard.phase_out.increment` | Alabama standard deduction phase-out increment | 1 | 5 | +| 228 | `gov.states.al.tax.income.deductions.standard.phase_out.rate` | Alabama standard deduction phase-out rate | 1 | 5 | +| 229 | `gov.states.al.tax.income.deductions.standard.phase_out.threshold` | Alabama standard deduction phase-out threshold | 1 | 5 | +| 230 | `gov.states.al.tax.income.exemptions.personal` | Alabama personal exemption amount | 1 | 5 | +| 231 | `gov.states.nh.tax.income.exemptions.amount.base` | New Hampshire base exemption amount | 1 | 5 | +| 232 | `gov.states.mn.tax.income.subtractions.education_savings.cap` | Minnesota 529 plan contribution subtraction maximum | 1 | 5 | +| 233 | `gov.states.mn.tax.income.subtractions.elderly_disabled.agi_offset_base` | Minnesota base AGI offset in elderly/disabled subtraction calculations | 1 | 5 | +| 234 | `gov.states.mn.tax.income.subtractions.elderly_disabled.base_amount` | Minnesota base amount in elderly/disabled subtraction calculations | 1 | 5 | +| 235 | `gov.states.mn.tax.income.subtractions.social_security.alternative_amount` | Minnesota social security subtraction alternative subtraction amount | 1 | 5 | +| 236 | `gov.states.mn.tax.income.subtractions.social_security.reduction.start` | Minnesota social security subtraction reduction start | 1 | 5 | +| 237 | `gov.states.mn.tax.income.subtractions.social_security.income_amount` | Minnesota social security subtraction income amount | 1 | 5 | +| 238 | `gov.states.mn.tax.income.subtractions.pension_income.reduction.start` | Minnesota public pension income subtraction agi threshold | 1 | 5 | +| 239 | `gov.states.mn.tax.income.subtractions.pension_income.cap` | Minnesota public pension income subtraction cap | 1 | 5 | +| 240 | `gov.states.mn.tax.income.amt.fractional_income_threshold` | Minnesota fractional excess income threshold | 1 | 5 | +| 241 | `gov.states.mn.tax.income.amt.income_threshold` | Minnesota AMT taxable income threshold | 1 | 5 | +| 242 | `gov.states.mn.tax.income.deductions.itemized.reduction.agi_threshold.high` | Minnesota itemized deduction higher reduction AGI threshold | 1 | 5 | +| 243 | `gov.states.mn.tax.income.deductions.itemized.reduction.agi_threshold.low` | Minnesota itemized deduction lower reduction AGI threshold | 1 | 5 | +| 244 | `gov.states.mn.tax.income.deductions.standard.extra` | Minnesota extra standard deduction amount for each aged/blind head/spouse | 1 | 5 | +| 245 | `gov.states.mn.tax.income.deductions.standard.reduction.agi_threshold.high` | Minnesota standard deduction higher reduction AGI threshold | 1 | 5 | +| 246 | `gov.states.mn.tax.income.deductions.standard.reduction.agi_threshold.low` | Minnesota standard deduction lower reduction AGI threshold | 1 | 5 | +| 247 | `gov.states.mn.tax.income.deductions.standard.base` | Minnesota base standard deduction amount | 1 | 5 | +| 248 | `gov.states.mn.tax.income.exemptions.agi_threshold` | federal adjusted gross income threshold above which Minnesota exemptions are limited | 1 | 5 | +| 249 | `gov.states.mn.tax.income.exemptions.agi_step_size` | federal adjusted gross income step size used to limit Minnesota exemptions | 1 | 5 | +| 250 | `gov.states.mi.tax.income.deductions.standard.tier_three.amount` | Michigan tier three standard deduction amount | 1 | 5 | +| 251 | `gov.states.mi.tax.income.deductions.standard.tier_two.amount.base` | Michigan tier two standard deduction base | 1 | 5 | +| 252 | `gov.states.mi.tax.income.deductions.interest_dividends_capital_gains.amount` | Michigan interest, dividends, and capital gains deduction amount | 1 | 5 | +| 253 | `gov.states.mi.tax.income.deductions.retirement_benefits.tier_three.ss_exempt.retired.both_qualifying_amount` | Michigan tier three retirement and pension deduction both qualifying seniors | 1 | 5 | +| 254 | `gov.states.mi.tax.income.deductions.retirement_benefits.tier_three.ss_exempt.retired.single_qualifying_amount` | Michigan tier three retirement and pension deduction single qualifying senior amount | 1 | 5 | +| 255 | `gov.states.mi.tax.income.deductions.retirement_benefits.tier_one.amount` | Michigan tier one retirement and pension benefits amount | 1 | 5 | +| 256 | `gov.states.mi.tax.income.exemptions.dependent_on_other_return` | Michigan dependent on other return exemption amount | 1 | 5 | +| 257 | `gov.states.ok.tax.income.deductions.standard.amount` | Oklahoma standard deduction amount | 1 | 5 | +| 258 | `gov.states.ok.tax.income.exemptions.special_agi_limit` | Oklahoma special exemption federal AGI limit | 1 | 5 | +| 259 | `gov.states.in.tax.income.deductions.homeowners_property_tax.max` | Indiana max homeowner's property tax deduction | 1 | 5 | +| 260 | `gov.states.in.tax.income.deductions.renters.max` | Indiana max renter's deduction | 1 | 5 | +| 261 | `gov.states.in.tax.income.deductions.unemployment_compensation.agi_reduction` | Indiana AGI reduction for calculation of maximum unemployment compensation deduction | 1 | 5 | +| 262 | `gov.states.in.tax.income.exemptions.aged_low_agi.threshold` | Indiana low AGI aged exemption income limit | 1 | 5 | +| 263 | `gov.states.co.tax.income.subtractions.collegeinvest_contribution.max_amount` | Colorado CollegeInvest contribution subtraction max amount | 1 | 5 | +| 264 | `gov.states.co.tax.income.subtractions.able_contribution.cap` | Colorado ABLE contribution subtraction cap | 1 | 5 | +| 265 | `gov.states.co.tax.income.additions.federal_deductions.exemption` | Colorado itemized or standard deduction add back exemption | 1 | 5 | +| 266 | `gov.states.co.tax.income.additions.qualified_business_income_deduction.agi_threshold` | Colorado qualified business income deduction addback AGI threshold | 1 | 5 | +| 267 | `gov.states.co.tax.income.credits.income_qualified_senior_housing.reduction.max_amount` | Colorado income qualified senior housing income tax credit max amount | 1 | 5 | +| 268 | `gov.states.co.tax.income.credits.income_qualified_senior_housing.reduction.amount` | Colorado income qualified senior housing income tax credit reduction amount | 1 | 5 | +| 269 | `gov.states.co.tax.income.credits.sales_tax_refund.amount.multiplier` | Colorado sales tax refund filing status multiplier | 1 | 5 | +| 270 | `gov.states.co.tax.income.credits.family_affordability.reduction.threshold` | Colorado family affordability tax credit income-based reduction start | 1 | 5 | +| 271 | `gov.states.ca.tax.income.amt.exemption.amti.threshold.upper` | California alternative minimum tax exemption upper AMTI threshold | 1 | 5 | +| 272 | `gov.states.ca.tax.income.amt.exemption.amti.threshold.lower` | California alternative minimum tax exemption lower AMTI threshold | 1 | 5 | +| 273 | `gov.states.ca.tax.income.amt.exemption.amount` | California exemption amount | 1 | 5 | +| 274 | `gov.states.ca.tax.income.deductions.itemized.limit.agi_threshold` | California itemized deduction limitation threshold | 1 | 5 | +| 275 | `gov.states.ca.tax.income.deductions.standard.amount` | California standard deduction | 1 | 5 | +| 276 | `gov.states.ca.tax.income.exemptions.phase_out.increment` | California exemption phase out increment | 1 | 5 | +| 277 | `gov.states.ca.tax.income.exemptions.phase_out.start` | California exemption phase out start | 1 | 5 | +| 278 | `gov.states.ca.tax.income.exemptions.personal_scale` | California income personal exemption scaling factor | 1 | 5 | +| 279 | `gov.states.ca.tax.income.credits.renter.amount` | California renter tax credit amount | 1 | 5 | +| 280 | `gov.states.ca.tax.income.credits.renter.income_cap` | California renter tax credit AGI cap | 1 | 5 | +| 281 | `gov.states.ia.tax.income.alternative_minimum_tax.threshold` | Iowa alternative minimum tax threshold amount | 1 | 5 | +| 282 | `gov.states.ia.tax.income.alternative_minimum_tax.exemption` | Iowa alternative minimum tax exemption amount | 1 | 5 | +| 283 | `gov.states.ia.tax.income.deductions.standard.amount` | Iowa standard deduction amount | 1 | 5 | +| 284 | `gov.states.ia.tax.income.pension_exclusion.maximum_amount` | Iowa maximum pension exclusion amount | 1 | 5 | +| 285 | `gov.states.ia.tax.income.reportable_social_security.deduction` | Iowa reportable social security income deduction | 1 | 5 | +| 286 | `gov.states.ct.tax.income.subtractions.tuition.cap` | Connecticut state tuition subtraction max amount | 1 | 5 | +| 287 | `gov.states.ct.tax.income.subtractions.social_security.reduction_threshold` | Connecticut social security subtraction reduction threshold | 1 | 5 | +| 288 | `gov.states.ct.tax.income.add_back.increment` | Connecticut income tax phase out brackets | 1 | 5 | +| 289 | `gov.states.ct.tax.income.add_back.max_amount` | Connecticut income tax phase out max amount | 1 | 5 | +| 290 | `gov.states.ct.tax.income.add_back.amount` | Connecticut bottom income tax phase out amount | 1 | 5 | +| 291 | `gov.states.ct.tax.income.add_back.start` | Connecticut income tax phase out start | 1 | 5 | +| 292 | `gov.states.ct.tax.income.rebate.reduction.start` | Connecticut child tax rebate reduction start | 1 | 5 | +| 293 | `gov.states.ct.tax.income.exemptions.personal.max_amount` | Connecticut personal exemption max amount | 1 | 5 | +| 294 | `gov.states.ct.tax.income.exemptions.personal.reduction.start` | Connecticut personal exemption reduction start | 1 | 5 | +| 295 | `gov.states.ct.tax.income.credits.property_tax.reduction.increment` | Connecticut property tax reduction increment | 1 | 5 | +| 296 | `gov.states.ct.tax.income.credits.property_tax.reduction.start` | Connecticut Property Tax Credit reduction start | 1 | 5 | +| 297 | `gov.states.ct.tax.income.recapture.middle.increment` | Connecticut income tax recapture middle bracket increment | 1 | 5 | +| 298 | `gov.states.ct.tax.income.recapture.middle.max_amount` | Connecticut income tax recapture middle bracket max amount | 1 | 5 | +| 299 | `gov.states.ct.tax.income.recapture.middle.amount` | Connecticut income tax recapture middle bracket amount | 1 | 5 | +| 300 | `gov.states.ct.tax.income.recapture.middle.start` | Connecticut income tax recapture middle bracket start | 1 | 5 | +| 301 | `gov.states.ct.tax.income.recapture.high.increment` | Connecticut income tax recapture high bracket increment | 1 | 5 | +| 302 | `gov.states.ct.tax.income.recapture.high.max_amount` | Connecticut income tax recapture high bracket max amount | 1 | 5 | +| 303 | `gov.states.ct.tax.income.recapture.high.amount` | Connecticut income tax recapture high bracket increment | 1 | 5 | +| 304 | `gov.states.ct.tax.income.recapture.high.start` | Connecticut income tax recapture high bracket start | 1 | 5 | +| 305 | `gov.states.ct.tax.income.recapture.low.increment` | Connecticut income tax recapture low bracket increment | 1 | 5 | +| 306 | `gov.states.ct.tax.income.recapture.low.max_amount` | Connecticut income tax recapture low bracket max amount | 1 | 5 | +| 307 | `gov.states.ct.tax.income.recapture.low.amount` | Connecticut income tax recapture low bracket amount | 1 | 5 | +| 308 | `gov.states.ct.tax.income.recapture.low.start` | Connecticut income tax recapture low bracket start | 1 | 5 | +| 309 | `gov.states.wv.tax.income.subtractions.social_security_benefits.income_limit` | West Virginia social security benefits subtraction income limit | 1 | 5 | +| 310 | `gov.states.wv.tax.income.subtractions.low_income_earned_income.income_limit` | West Virginia low-income earned income exclusion income limit | 1 | 5 | +| 311 | `gov.states.wv.tax.income.subtractions.low_income_earned_income.amount` | West Virginia low-income earned income exclusion low-income earned income exclusion limit | 1 | 5 | +| 312 | `gov.states.wv.tax.income.credits.liftc.fpg_percent` | West Virginia low-income family tax credit MAGI limit | 1 | 5 | +| 313 | `gov.states.ri.tax.income.agi.subtractions.tuition_saving_program_contributions.cap` | Rhode Island tuition saving program contribution deduction cap | 1 | 5 | +| 314 | `gov.states.ri.tax.income.agi.subtractions.taxable_retirement_income.income_limit` | Rhode Island taxable retirement income subtraction income limit | 1 | 5 | +| 315 | `gov.states.ri.tax.income.agi.subtractions.social_security.limit.income` | Rhode Island social security subtraction income limit | 1 | 5 | +| 316 | `gov.states.ri.tax.income.deductions.standard.amount` | Rhode Island standard deduction amount | 1 | 5 | +| 317 | `gov.states.ri.tax.income.credits.child_tax_rebate.limit.income` | Rhode Island child tax rebate income limit | 1 | 5 | +| 318 | `gov.states.nc.tax.income.deductions.standard.amount` | North Carolina standard deduction amount | 1 | 5 | +| 319 | `gov.states.nm.tax.income.rebates.property_tax.max_amount` | New Mexico property tax rebate max amount | 1 | 5 | +| 320 | `gov.states.nm.tax.income.rebates.2021_income.supplemental.amount` | New Mexico supplemental 2021 income tax rebate amount | 1 | 5 | +| 321 | `gov.states.nm.tax.income.rebates.2021_income.additional.amount` | New Mexico additional 2021 income tax rebate amount | 1 | 5 | +| 322 | `gov.states.nm.tax.income.rebates.2021_income.main.income_limit` | New Mexico main 2021 income tax rebate income limit | 1 | 5 | +| 323 | `gov.states.nm.tax.income.rebates.2021_income.main.amount` | New Mexico main 2021 income tax rebate amount | 1 | 5 | +| 324 | `gov.states.nm.tax.income.deductions.certain_dependents.amount` | New Mexico deduction for certain dependents | 1 | 5 | +| 325 | `gov.states.nm.tax.income.exemptions.low_and_middle_income.income_limit` | New Mexico low- and middle-income exemption income limit | 1 | 5 | +| 326 | `gov.states.nm.tax.income.exemptions.low_and_middle_income.reduction.income_threshold` | New Mexico low- and middle-income exemption reduction threshold | 1 | 5 | +| 327 | `gov.states.nm.tax.income.exemptions.low_and_middle_income.reduction.rate` | New Mexico low- and middle-income exemption reduction rate | 1 | 5 | +| 328 | `gov.states.nm.tax.income.exemptions.social_security_income.income_limit` | New Mexico social security income exemption income limit | 1 | 5 | +| 329 | `gov.states.nj.tax.income.filing_threshold` | NJ filing threshold | 1 | 5 | +| 330 | `gov.states.nj.tax.income.exclusions.retirement.max_amount` | New Jersey pension/retirement maximum exclusion amount | 1 | 5 | +| 331 | `gov.states.nj.tax.income.exclusions.retirement.special_exclusion.amount` | NJ other retirement income special exclusion. | 1 | 5 | +| 332 | `gov.states.nj.tax.income.exemptions.regular.amount` | New Jersey Regular Exemption | 1 | 5 | +| 333 | `gov.states.nj.tax.income.credits.property_tax.income_limit` | New Jersey property tax credit income limit | 1 | 5 | +| 334 | `gov.states.me.tax.income.deductions.phase_out.width` | Maine standard/itemized deduction phase-out width | 1 | 5 | +| 335 | `gov.states.me.tax.income.deductions.phase_out.start` | Maine standard/itemized exemption phase-out start | 1 | 5 | +| 336 | `gov.states.me.tax.income.deductions.personal_exemption.phaseout.width` | Maine personal exemption phase-out width | 1 | 5 | +| 337 | `gov.states.me.tax.income.deductions.personal_exemption.phaseout.start` | Maine personal exemption phase-out start | 1 | 5 | +| 338 | `gov.states.me.tax.income.credits.relief_rebate.income_limit` | Maine Relief Rebate income limit | 1 | 5 | +| 339 | `gov.states.me.tax.income.credits.fairness.sales_tax.amount.base` | Maine sales tax fairness credit base amount | 1 | 5 | +| 340 | `gov.states.me.tax.income.credits.fairness.sales_tax.reduction.increment` | Maine sales tax fairness credit phase-out increment | 1 | 5 | +| 341 | `gov.states.me.tax.income.credits.fairness.sales_tax.reduction.amount` | Maine sales tax fairness credit phase-out amount | 1 | 5 | +| 342 | `gov.states.me.tax.income.credits.fairness.sales_tax.reduction.start` | Maine sales tax fairness credit phase-out start | 1 | 5 | +| 343 | `gov.states.me.tax.income.credits.dependent_exemption.phase_out.start` | Maine dependents exemption phase-out start | 1 | 5 | +| 344 | `gov.states.ar.tax.income.deductions.standard` | Arkansas standard deduction | 1 | 5 | +| 345 | `gov.states.ar.tax.income.gross_income.capital_gains.loss_cap` | Arkansas long-term capital gains tax loss cap | 1 | 5 | +| 346 | `gov.states.ar.tax.income.credits.inflationary_relief.max_amount` | Arkansas income-tax credit maximum amount | 1 | 5 | +| 347 | `gov.states.ar.tax.income.credits.inflationary_relief.reduction.increment` | Arkansas income reduction increment | 1 | 5 | +| 348 | `gov.states.ar.tax.income.credits.inflationary_relief.reduction.amount` | Arkansas inflation relief credit reduction amount | 1 | 5 | +| 349 | `gov.states.ar.tax.income.credits.inflationary_relief.reduction.start` | Arkansas inflation reduction credit reduction start | 1 | 5 | +| 350 | `gov.states.dc.tax.income.deductions.itemized.phase_out.start` | DC itemized deduction phase-out DC AGI start | 1 | 5 | +| 351 | `gov.states.dc.tax.income.credits.kccatc.income_limit` | DC KCCATC DC taxable income limit | 1 | 5 | +| 352 | `gov.states.dc.tax.income.credits.ctc.income_threshold` | DC Child Tax Credit taxable income threshold | 1 | 5 | +| 353 | `gov.states.md.tax.income.deductions.itemized.phase_out.threshold` | Maryland itemized deduction phase-out threshold | 1 | 5 | +| 354 | `gov.states.md.tax.income.deductions.standard.max` | Maryland maximum standard deduction | 1 | 5 | +| 355 | `gov.states.md.tax.income.deductions.standard.min` | Maryland minimum standard deduction | 1 | 5 | +| 356 | `gov.states.md.tax.income.deductions.standard.flat_deduction.amount` | Maryland standard deduction flat amount | 1 | 5 | +| 357 | `gov.states.md.tax.income.credits.cdcc.phase_out.increment` | Maryland CDCC phase-out increment | 1 | 5 | +| 358 | `gov.states.md.tax.income.credits.cdcc.phase_out.start` | Maryland CDCC phase-out start | 1 | 5 | +| 359 | `gov.states.md.tax.income.credits.cdcc.eligibility.agi_cap` | Maryland CDCC AGI cap | 1 | 5 | +| 360 | `gov.states.md.tax.income.credits.cdcc.eligibility.refundable_agi_cap` | Maryland refundable CDCC AGI cap | 1 | 5 | +| 361 | `gov.states.md.tax.income.credits.senior_tax.income_threshold` | Maryland Senior Tax Credit income threshold | 1 | 5 | +| 362 | `gov.states.ks.tax.income.rates.zero_tax_threshold` | KS zero-tax taxable-income threshold | 1 | 5 | +| 363 | `gov.states.ks.tax.income.deductions.standard.extra_amount` | Kansas extra standard deduction for elderly and blind | 1 | 5 | +| 364 | `gov.states.ks.tax.income.deductions.standard.base_amount` | Kansas base standard deduction | 1 | 5 | +| 365 | `gov.states.ne.tax.income.agi.subtractions.social_security.threshold` | Nebraska social security AGI subtraction threshold | 1 | 5 | +| 366 | `gov.states.ne.tax.income.deductions.standard.base_amount` | Nebraska standard deduction base amount | 1 | 5 | +| 367 | `gov.states.ne.tax.income.credits.school_readiness.amount.refundable` | Nebraska School Readiness credit refundable amount | 1 | 5 | +| 368 | `gov.states.hi.tax.income.deductions.itemized.threshold.deductions` | Hawaii itemized deductions deductions threshold | 13 | 5 | +| 369 | `gov.states.hi.tax.income.deductions.itemized.threshold.reduction` | Hawaii itemized deductions reduction threshold | 1 | 5 | +| 370 | `gov.states.hi.tax.income.deductions.standard.amount` | Hawaii standard deduction amount | 1 | 5 | +| 371 | `gov.states.de.tax.income.subtractions.exclusions.elderly_or_disabled.eligibility.agi_limit` | Delaware aged or disabled exclusion subtraction adjusted gross income limit | 1 | 5 | +| 372 | `gov.states.de.tax.income.subtractions.exclusions.elderly_or_disabled.eligibility.earned_income_limit` | Delaware aged or disabled exclusion earned income limit | 1 | 5 | +| 373 | `gov.states.de.tax.income.subtractions.exclusions.elderly_or_disabled.amount` | Delaware aged or disabled exclusion amount | 1 | 5 | +| 374 | `gov.states.de.tax.income.deductions.standard.amount` | Delaware Standard Deduction | 1 | 5 | +| 375 | `gov.states.az.tax.income.credits.charitable_contribution.ceiling.qualifying_organization` | Arizona charitable contribution credit cap | 1 | 5 | +| 376 | `gov.states.az.tax.income.credits.charitable_contribution.ceiling.qualifying_foster` | Arizona credit for contributions to foster organizations cap | 1 | 5 | +| 377 | `gov.states.az.tax.income.credits.dependent_credit.reduction.start` | Arizona dependent tax credit phase out start | 1 | 5 | +| 378 | `gov.states.az.tax.income.credits.increased_excise.income_threshold` | Arizona Increased Excise Tax Credit income threshold | 1 | 5 | +| 379 | `gov.states.az.tax.income.credits.family_tax_credits.amount.cap` | Arizona family tax credit maximum amount | 1 | 5 | +| 380 | `gov.states.ny.tax.income.deductions.standard.amount` | New York standard deduction | 1 | 5 | +| 381 | `gov.states.ny.tax.income.credits.ctc.post_2024.phase_out.threshold` | New York CTC post 2024 phase-out thresholds | 1 | 5 | +| 382 | `gov.states.id.tax.income.deductions.retirement_benefits.cap` | Idaho retirement benefit deduction cap | 1 | 5 | +| 383 | `gov.states.id.tax.income.credits.special_seasonal_rebate.floor` | Idaho special seasonal rebate floor | 1 | 5 | +| 384 | `gov.states.or.tax.income.deductions.standard.aged_or_blind.amount` | Oregon standard deduction addition for 65 or older or blind | 1 | 5 | +| 385 | `gov.states.or.tax.income.deductions.standard.amount` | Oregon standard deduction | 1 | 5 | +| 386 | `gov.states.or.tax.income.credits.exemption.income_limit.regular` | Oregon exemption credit income limit (regular) | 1 | 5 | +| 387 | `gov.states.or.tax.income.credits.retirement_income.income_threshold` | Oregon retirement income credit income threshold | 1 | 5 | +| 388 | `gov.states.or.tax.income.credits.retirement_income.base` | Oregon retirement income credit base | 1 | 5 | +| 389 | `gov.states.la.tax.income.deductions.standard.amount` | Louisiana standard deduction amount | 1 | 5 | +| 390 | `gov.states.la.tax.income.exemptions.personal` | Louisiana personal exemption amount | 1 | 5 | +| 391 | `gov.states.wi.tax.income.subtractions.retirement_income.max_agi` | Wisconsin retirement income subtraction maximum adjusted gross income | 1 | 5 | +| 392 | `gov.states.wi.dcf.works.placement.amount` | Wisconsin Works payment amount | 1 | 5 | +| 393 | `gov.irs.deductions.overtime_income.phase_out.start` | Overtime income exemption phase out start | 1 | 5 | +| 394 | `gov.irs.deductions.overtime_income.cap` | Overtime income exemption cap | 1 | 5 | +| 395 | `gov.irs.deductions.qbi.phase_out.start` | Qualified business income deduction phase-out start | 1 | 5 | +| 396 | `gov.irs.deductions.itemized.limitation.applicable_amount` | Itemized deductions applicable amount | 1 | 5 | +| 397 | `gov.irs.deductions.itemized.interest.mortgage.cap` | IRS home mortgage value cap | 13 | 5 | +| 398 | `gov.irs.deductions.itemized.reduction.agi_threshold` | IRS itemized deductions reduction threshold | 1 | 5 | +| 399 | `gov.irs.deductions.itemized.salt_and_real_estate.phase_out.threshold` | SALT deduction phase out threshold | 1 | 5 | +| 400 | `gov.irs.deductions.itemized.salt_and_real_estate.phase_out.floor.amount` | SALT deduction floor amount | 1 | 5 | +| 401 | `gov.irs.deductions.itemized.charity.non_itemizers_amount` | Charitable deduction amount for non-itemizers | 1 | 5 | +| 402 | `gov.irs.deductions.standard.aged_or_blind.amount` | Additional standard deduction for the blind and aged | 1 | 5 | +| 403 | `gov.irs.deductions.standard.amount` | Standard deduction | 1 | 5 | +| 404 | `gov.irs.deductions.auto_loan_interest.phase_out.start` | Auto loan interest deduction reduction start | 1 | 5 | +| 405 | `gov.irs.deductions.tip_income.phase_out.start` | Tip income exemption phase out start | 1 | 5 | +| 406 | `gov.irs.income.amt.multiplier` | AMT tax bracket multiplier | 1 | 5 | +| 407 | `gov.irs.gross_income.dependent_care_assistance_programs.reduction_amount` | IRS reduction amount from gross income for dependent care assistance | 13 | 5 | +| 408 | `gov.irs.ald.loss.capital.max` | Maximum capital loss deductible above-the-line | 1 | 5 | +| 409 | `gov.irs.ald.student_loan_interest.reduction.divisor` | Student loan interest deduction reduction divisor | 1 | 5 | +| 410 | `gov.irs.ald.student_loan_interest.reduction.start` | Student loan interest deduction amount | 1 | 5 | +| 411 | `gov.irs.ald.student_loan_interest.cap` | Student loan interest deduction cap | 1 | 5 | +| 412 | `gov.irs.social_security.taxability.threshold.adjusted_base.main` | Social Security taxability additional threshold | 13 | 5 | +| 413 | `gov.irs.social_security.taxability.threshold.base.main` | Social Security taxability base threshold | 13 | 5 | +| 414 | `gov.irs.credits.recovery_rebate_credit.caa.phase_out.threshold` | Second Recovery Rebate Credit phase-out starting threshold | 1 | 5 | +| 415 | `gov.irs.credits.recovery_rebate_credit.arpa.phase_out.threshold` | ARPA Recovery Rebate Credit phase-out starting threshold | 1 | 5 | +| 416 | `gov.irs.credits.recovery_rebate_credit.arpa.phase_out.length` | ARPA Recovery Rebate Credit phase-out length | 1 | 5 | +| 417 | `gov.irs.credits.recovery_rebate_credit.cares.phase_out.threshold` | CARES Recovery Rebate Credit phase-out starting threshold | 1 | 5 | +| 418 | `gov.irs.credits.retirement_saving.rate.threshold_adjustment` | Retirement Savings Contributions Credit (Saver's Credit) threshold adjustment rate | 1 | 5 | +| 419 | `gov.irs.credits.clean_vehicle.new.eligibility.income_limit` | Income limit for new clean vehicle credit | 1 | 5 | +| 420 | `gov.irs.credits.clean_vehicle.used.eligibility.income_limit` | Income limit for used clean vehicle credit | 1 | 5 | +| 421 | `gov.irs.credits.ctc.phase_out.threshold` | CTC phase-out threshold | 1 | 5 | +| 422 | `gov.irs.credits.cdcc.phase_out.amended_structure.second_start` | CDCC amended phase-out second start | 1 | 5 | +| 423 | `gov.hud.ami_limit.per_person_exceeding_4` | HUD area median income limit per person exceeding 4 | 1 | 5 | +| 424 | `gov.ed.pell_grant.sai.fpg_fraction.max_pell_limits` | Maximum Pell Grant income limits | 1 | 4 | +| 425 | `gov.states.az.tax.income.subtractions.college_savings.cap` | Arizona college savings plan subtraction cap | 1 | 4 | +| 426 | `gov.states.az.tax.income.deductions.standard.amount` | Arizona standard deduction | 1 | 4 | +| 427 | `gov.irs.credits.clean_vehicle.new.eligibility.msrp_limit` | MSRP limit for new clean vehicle credit | 1 | 4 | +| 428 | `gov.states.ma.eec.ccfa.reimbursement_rates.family_child_care.younger` | Massachusetts CCFA family child care younger child reimbursement rates | 1 | 3 | +| 429 | `gov.states.ma.eec.ccfa.reimbursement_rates.family_child_care.older` | Massachusetts CCFA family child care older child reimbursement rates | 1 | 3 | +| 430 | `gov.states.md.tax.income.credits.senior_tax.amount.joint` | Maryland Senior Tax Credit joint amount | 1 | 3 | +| 431 | `gov.states.il.idoa.bap.income_limit` | Illinois Benefit Access Program income limit | 1 | 3 | +| 432 | `gov.states.il.dhs.aabd.asset.disregard.base` | Illinois AABD asset disregard base amount | 1 | 2 | + +--- + +## Detailed Analysis + +### 1. `gov.states.nc.ncdhhs.scca.childcare_market_rates` + +**Label:** North Carolina SCCA program market rates + +**Breakdown dimensions:** `['county', 'range(1, 5)']` + +**Child parameters:** 12,896 + +**Dimension analysis:** +- `county` → Variable/enum lookup (may or may not have labels) +- `range(1, 5)` → **Raw numeric index (NO semantic label)** + +**Example - Current label generation:** +- Parameter: `gov.states.nc.ncdhhs.scca.childcare_market_rates.ALAMANCE_COUNTY_NC.1` +- Generated label: "North Carolina SCCA program market rates (ALAMANCE_COUNTY_NC, 1)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ['[CHECK: county]', '[NEEDS: label for range(1, 5)]']` + +--- + +### 2. `gov.states.tx.twc.ccs.payment.rates` + +**Label:** Texas CCS maximum reimbursement rates by workforce board region + +**Breakdown dimensions:** `['tx_ccs_workforce_board_region', 'tx_ccs_provider_type', 'tx_ccs_provider_rating', 'tx_ccs_child_age_category', 'tx_ccs_care_schedule']` + +**Child parameters:** 8,064 + +**Dimension analysis:** +- `tx_ccs_workforce_board_region` → Variable/enum lookup (may or may not have labels) +- `tx_ccs_provider_type` → Variable/enum lookup (may or may not have labels) +- `tx_ccs_provider_rating` → Variable/enum lookup (may or may not have labels) +- `tx_ccs_child_age_category` → Variable/enum lookup (may or may not have labels) +- `tx_ccs_care_schedule` → Variable/enum lookup (may or may not have labels) + +**Example - Current label generation:** +- Parameter: `gov.states.tx.twc.ccs.payment.rates.ALAMO.LCCC.REG.INFANT.FULL_TIME` +- Generated label: "Texas CCS maximum reimbursement rates by workforce board region (ALAMO, LCCC, REG, INFANT, FULL_TIME)" + +**Suggested improvement:** +- ℹ️ Uses custom enum variables - verify they have display labels +- Consider adding `breakdown_labels` for clarity + +--- + +### 3. `gov.irs.deductions.itemized.salt_and_real_estate.state_sales_tax_table.tax` + +**Label:** Optional state sales tax table + +**Breakdown dimensions:** `['state_code', 'range(1,7)', 'range(1,20)']` + +**Child parameters:** 6,726 + +**Dimension analysis:** +- `state_code` → Enum lookup (state names) +- `range(1,7)` → **Raw numeric index (NO semantic label)** +- `range(1,20)` → **Raw numeric index (NO semantic label)** + +**Example - Current label generation:** +- Parameter: `gov.irs.deductions.itemized.salt_and_real_estate.state_sales_tax_table.tax.AL.1.1` +- Generated label: "Optional state sales tax table (AL, 1, 1)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ['State', '[NEEDS: label for range(1,7)]', '[NEEDS: label for range(1,20)]']` + +--- + +### 4. `gov.aca.state_rating_area_cost` + +**Label:** Second Lowest Cost Silver Plan premiums by rating area + +**Breakdown dimensions:** `['state_code', 'range(1, 68)']` + +**Child parameters:** 3,953 + +**Dimension analysis:** +- `state_code` → Enum lookup (state names) +- `range(1, 68)` → **Raw numeric index (NO semantic label)** + +**Example - Current label generation:** +- Parameter: `gov.aca.state_rating_area_cost.AK.1` +- Generated label: "Second Lowest Cost Silver Plan premiums by rating area (AK, 1)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ['State', '[NEEDS: label for range(1, 68)]']` + +--- + +### 5. `gov.states.or.tax.income.credits.wfhdc.match` + +**Label:** Oregon working family household and dependent care credit credit rate + +**Breakdown dimensions:** `['list(range(0,30))', 'or_wfhdc_eligibility_category']` + +**Child parameters:** 186 + +**Dimension analysis:** +- `list(range(0,30))` → **Raw numeric index (NO semantic label)** +- `or_wfhdc_eligibility_category` → Variable/enum lookup (may or may not have labels) + +**Example - Current label generation:** +- Parameter: `gov.states.or.tax.income.credits.wfhdc.match.0.YOUNGEST` +- Generated label: "Oregon working family household and dependent care credit credit rate (0, YOUNGEST)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ['[NEEDS: label for list(range(0,30))]', '[CHECK: or_wfhdc_eligibility_category]']` + +--- + +### 6. `gov.states.il.dhs.aabd.payment.utility.water` + +**Label:** Illinois AABD water allowance by area + +**Breakdown dimensions:** `['il_aabd_area', 'range(1,20)']` + +**Child parameters:** 152 + +**Dimension analysis:** +- `il_aabd_area` → Variable/enum lookup (may or may not have labels) +- `range(1,20)` → **Raw numeric index (NO semantic label)** + +**Example - Current label generation:** +- Parameter: `gov.states.il.dhs.aabd.payment.utility.water.AREA_1.1` +- Generated label: "Illinois AABD water allowance by area (AREA_1, 1)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ['[CHECK: il_aabd_area]', '[NEEDS: label for range(1,20)]']` + +--- + +### 7. `gov.states.il.dhs.aabd.payment.utility.metered_gas` + +**Label:** Illinois AABD metered gas allowance by area + +**Breakdown dimensions:** `['il_aabd_area', 'range(1,20)']` + +**Child parameters:** 152 + +**Dimension analysis:** +- `il_aabd_area` → Variable/enum lookup (may or may not have labels) +- `range(1,20)` → **Raw numeric index (NO semantic label)** + +**Example - Current label generation:** +- Parameter: `gov.states.il.dhs.aabd.payment.utility.metered_gas.AREA_1.1` +- Generated label: "Illinois AABD metered gas allowance by area (AREA_1, 1)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ['[CHECK: il_aabd_area]', '[NEEDS: label for range(1,20)]']` + +--- + +### 8. `gov.states.il.dhs.aabd.payment.utility.electricity` + +**Label:** Illinois AABD electricity allowance by area + +**Breakdown dimensions:** `['il_aabd_area', 'range(1,20)']` + +**Child parameters:** 152 + +**Dimension analysis:** +- `il_aabd_area` → Variable/enum lookup (may or may not have labels) +- `range(1,20)` → **Raw numeric index (NO semantic label)** + +**Example - Current label generation:** +- Parameter: `gov.states.il.dhs.aabd.payment.utility.electricity.AREA_1.1` +- Generated label: "Illinois AABD electricity allowance by area (AREA_1, 1)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ['[CHECK: il_aabd_area]', '[NEEDS: label for range(1,20)]']` + +--- + +### 9. `gov.states.il.dhs.aabd.payment.utility.coal` + +**Label:** Illinois AABD coal allowance by area + +**Breakdown dimensions:** `['il_aabd_area', 'range(1,20)']` + +**Child parameters:** 152 + +**Dimension analysis:** +- `il_aabd_area` → Variable/enum lookup (may or may not have labels) +- `range(1,20)` → **Raw numeric index (NO semantic label)** + +**Example - Current label generation:** +- Parameter: `gov.states.il.dhs.aabd.payment.utility.coal.AREA_1.1` +- Generated label: "Illinois AABD coal allowance by area (AREA_1, 1)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ['[CHECK: il_aabd_area]', '[NEEDS: label for range(1,20)]']` + +--- + +### 10. `gov.states.il.dhs.aabd.payment.utility.cooking_fuel` + +**Label:** Illinois AABD cooking fuel allowance by area + +**Breakdown dimensions:** `['il_aabd_area', 'range(1,20)']` + +**Child parameters:** 152 + +**Dimension analysis:** +- `il_aabd_area` → Variable/enum lookup (may or may not have labels) +- `range(1,20)` → **Raw numeric index (NO semantic label)** + +**Example - Current label generation:** +- Parameter: `gov.states.il.dhs.aabd.payment.utility.cooking_fuel.AREA_1.1` +- Generated label: "Illinois AABD cooking fuel allowance by area (AREA_1, 1)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ['[CHECK: il_aabd_area]', '[NEEDS: label for range(1,20)]']` + +--- + +### 11. `gov.states.il.dhs.aabd.payment.utility.bottled_gas` + +**Label:** Illinois AABD bottled gas allowance by area + +**Breakdown dimensions:** `['il_aabd_area', 'range(1,20)']` + +**Child parameters:** 152 + +**Dimension analysis:** +- `il_aabd_area` → Variable/enum lookup (may or may not have labels) +- `range(1,20)` → **Raw numeric index (NO semantic label)** + +**Example - Current label generation:** +- Parameter: `gov.states.il.dhs.aabd.payment.utility.bottled_gas.AREA_1.1` +- Generated label: "Illinois AABD bottled gas allowance by area (AREA_1, 1)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ['[CHECK: il_aabd_area]', '[NEEDS: label for range(1,20)]']` + +--- + +### 12. `gov.states.il.dhs.aabd.payment.utility.fuel_oil` + +**Label:** Illinois AABD fuel oil allowance by area + +**Breakdown dimensions:** `['il_aabd_area', 'range(1,20)']` + +**Child parameters:** 152 + +**Dimension analysis:** +- `il_aabd_area` → Variable/enum lookup (may or may not have labels) +- `range(1,20)` → **Raw numeric index (NO semantic label)** + +**Example - Current label generation:** +- Parameter: `gov.states.il.dhs.aabd.payment.utility.fuel_oil.AREA_1.1` +- Generated label: "Illinois AABD fuel oil allowance by area (AREA_1, 1)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ['[CHECK: il_aabd_area]', '[NEEDS: label for range(1,20)]']` + +--- + +### 13. `gov.states.dc.dhs.ccsp.reimbursement_rates` + +**Label:** DC CCSP reimbursement rates + +**Breakdown dimensions:** `['dc_ccsp_childcare_provider_category', 'dc_ccsp_child_category', 'dc_ccsp_schedule_type']` + +**Child parameters:** 126 + +**Dimension analysis:** +- `dc_ccsp_childcare_provider_category` → Variable/enum lookup (may or may not have labels) +- `dc_ccsp_child_category` → Variable/enum lookup (may or may not have labels) +- `dc_ccsp_schedule_type` → Variable/enum lookup (may or may not have labels) + +**Example - Current label generation:** +- Parameter: `gov.states.dc.dhs.ccsp.reimbursement_rates.CHILD_CENTER.INFANT_AND_TODDLER.FULL_TIME_TRADITIONAL` +- Generated label: "DC CCSP reimbursement rates (CHILD_CENTER, INFANT_AND_TODDLER, FULL_TIME_TRADITIONAL)" + +**Suggested improvement:** +- ℹ️ Uses custom enum variables - verify they have display labels +- Consider adding `breakdown_labels` for clarity + +--- + +### 14. `gov.states.vt.tax.income.credits.renter.income_limit_ami.fifty_percent` + +**Label:** Vermont partial renter credit income limit + +**Breakdown dimensions:** `['list(range(1,8))']` + +**Child parameters:** 112 + +**Dimension analysis:** +- `list(range(1,8))` → **Raw numeric index (NO semantic label)** + +**Example - Current label generation:** +- Parameter: `gov.states.vt.tax.income.credits.renter.income_limit_ami.fifty_percent.1.ADDISON_COUNTY_VT` +- Generated label: "Vermont partial renter credit income limit (1, ADDISON_COUNTY_VT)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ['[NEEDS: label for list(range(1,8))]']` + +--- + +### 15. `gov.states.vt.tax.income.credits.renter.income_limit_ami.thirty_percent` + +**Label:** Vermont full renter credit income limit + +**Breakdown dimensions:** `['list(range(1,8))']` + +**Child parameters:** 112 + +**Dimension analysis:** +- `list(range(1,8))` → **Raw numeric index (NO semantic label)** + +**Example - Current label generation:** +- Parameter: `gov.states.vt.tax.income.credits.renter.income_limit_ami.thirty_percent.1.ADDISON_COUNTY_VT` +- Generated label: "Vermont full renter credit income limit (1, ADDISON_COUNTY_VT)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ['[NEEDS: label for list(range(1,8))]']` + +--- + +### 16. `gov.states.vt.tax.income.credits.renter.fair_market_rent` + +**Label:** Vermont fair market rent amount + +**Breakdown dimensions:** `['list(range(1,9))']` + +**Child parameters:** 112 + +**Dimension analysis:** +- `list(range(1,9))` → **Raw numeric index (NO semantic label)** + +**Example - Current label generation:** +- Parameter: `gov.states.vt.tax.income.credits.renter.fair_market_rent.1.ADDISON_COUNTY_VT` +- Generated label: "Vermont fair market rent amount (1, ADDISON_COUNTY_VT)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ['[NEEDS: label for list(range(1,9))]']` + +--- + +### 17. `gov.states.dc.doee.liheap.payment.gas` + +**Label:** DC LIHEAP Gas payment + +**Breakdown dimensions:** `['dc_liheap_housing_type', 'range(1,11)', 'range(1,5)']` + +**Child parameters:** 80 + +**Dimension analysis:** +- `dc_liheap_housing_type` → Variable/enum lookup (may or may not have labels) +- `range(1,11)` → **Raw numeric index (NO semantic label)** +- `range(1,5)` → **Raw numeric index (NO semantic label)** + +**Example - Current label generation:** +- Parameter: `gov.states.dc.doee.liheap.payment.gas.MULTI_FAMILY.1.1` +- Generated label: "DC LIHEAP Gas payment (MULTI_FAMILY, 1, 1)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ['[CHECK: dc_liheap_housing_type]', '[NEEDS: label for range(1,11)]', '[NEEDS: label for range(1,5)]']` + +--- + +### 18. `gov.states.dc.doee.liheap.payment.electricity` + +**Label:** DC LIHEAP Electricity payment + +**Breakdown dimensions:** `['dc_liheap_housing_type', 'range(1,11)', 'range(1,5)']` + +**Child parameters:** 80 + +**Dimension analysis:** +- `dc_liheap_housing_type` → Variable/enum lookup (may or may not have labels) +- `range(1,11)` → **Raw numeric index (NO semantic label)** +- `range(1,5)` → **Raw numeric index (NO semantic label)** + +**Example - Current label generation:** +- Parameter: `gov.states.dc.doee.liheap.payment.electricity.MULTI_FAMILY.1.1` +- Generated label: "DC LIHEAP Electricity payment (MULTI_FAMILY, 1, 1)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ['[CHECK: dc_liheap_housing_type]', '[NEEDS: label for range(1,11)]', '[NEEDS: label for range(1,5)]']` + +--- + +### 19. `gov.usda.snap.max_allotment.main` + +**Label:** SNAP max allotment + +**Breakdown dimensions:** `['snap_region', 'range(1, 9)']` + +**Child parameters:** 63 + +**Dimension analysis:** +- `snap_region` → Enum lookup +- `range(1, 9)` → **Raw numeric index (NO semantic label)** + +**Example - Current label generation:** +- Parameter: `gov.usda.snap.max_allotment.main.CONTIGUOUS_US.0` +- Generated label: "SNAP max allotment (CONTIGUOUS_US, 0)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ['[CHECK: snap_region]', '[NEEDS: label for range(1, 9)]']` + +--- + +### 20. `calibration.gov.aca.enrollment.state` + +**Label:** ACA enrollment by state + +**Breakdown dimensions:** `['state_code']` + +**Child parameters:** 59 + +**Dimension analysis:** +- `state_code` → Enum lookup (state names) + +**Example - Current label generation:** +- Parameter: `calibration.gov.aca.enrollment.state.AK` +- Generated label: "ACA enrollment by state (AK)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 21. `calibration.gov.aca.spending.state` + +**Label:** Federal ACA spending by state + +**Breakdown dimensions:** `['state_code']` + +**Child parameters:** 59 + +**Dimension analysis:** +- `state_code` → Enum lookup (state names) + +**Example - Current label generation:** +- Parameter: `calibration.gov.aca.spending.state.AL` +- Generated label: "Federal ACA spending by state (AL)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 22. `calibration.gov.hhs.medicaid.enrollment.non_expansion_adults` + +**Label:** Non-expansion adults enrolled in Medicaid + +**Breakdown dimensions:** `['state_code']` + +**Child parameters:** 59 + +**Dimension analysis:** +- `state_code` → Enum lookup (state names) + +**Example - Current label generation:** +- Parameter: `calibration.gov.hhs.medicaid.enrollment.non_expansion_adults.AL` +- Generated label: "Non-expansion adults enrolled in Medicaid (AL)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 23. `calibration.gov.hhs.medicaid.enrollment.aged` + +**Label:** Aged persons enrolled in Medicaid + +**Breakdown dimensions:** `['state_code']` + +**Child parameters:** 59 + +**Dimension analysis:** +- `state_code` → Enum lookup (state names) + +**Example - Current label generation:** +- Parameter: `calibration.gov.hhs.medicaid.enrollment.aged.AL` +- Generated label: "Aged persons enrolled in Medicaid (AL)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 24. `calibration.gov.hhs.medicaid.enrollment.expansion_adults` + +**Label:** Expansion adults enrolled in Medicaid + +**Breakdown dimensions:** `['state_code']` + +**Child parameters:** 59 + +**Dimension analysis:** +- `state_code` → Enum lookup (state names) + +**Example - Current label generation:** +- Parameter: `calibration.gov.hhs.medicaid.enrollment.expansion_adults.AL` +- Generated label: "Expansion adults enrolled in Medicaid (AL)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 25. `calibration.gov.hhs.medicaid.enrollment.disabled` + +**Label:** Disabled persons enrolled in Medicaid + +**Breakdown dimensions:** `['state_code']` + +**Child parameters:** 59 + +**Dimension analysis:** +- `state_code` → Enum lookup (state names) + +**Example - Current label generation:** +- Parameter: `calibration.gov.hhs.medicaid.enrollment.disabled.AL` +- Generated label: "Disabled persons enrolled in Medicaid (AL)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 26. `calibration.gov.hhs.medicaid.enrollment.child` + +**Label:** Children enrolled in Medicaid + +**Breakdown dimensions:** `['state_code']` + +**Child parameters:** 59 + +**Dimension analysis:** +- `state_code` → Enum lookup (state names) + +**Example - Current label generation:** +- Parameter: `calibration.gov.hhs.medicaid.enrollment.child.AL` +- Generated label: "Children enrolled in Medicaid (AL)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 27. `calibration.gov.hhs.medicaid.spending.by_eligibility_group.non_expansion_adults` + +**Label:** Medicaid spending for non-expansion adult enrollees + +**Breakdown dimensions:** `['state_code']` + +**Child parameters:** 59 + +**Dimension analysis:** +- `state_code` → Enum lookup (state names) + +**Example - Current label generation:** +- Parameter: `calibration.gov.hhs.medicaid.spending.by_eligibility_group.non_expansion_adults.AK` +- Generated label: "Medicaid spending for non-expansion adult enrollees (AK)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 28. `calibration.gov.hhs.medicaid.spending.by_eligibility_group.aged` + +**Label:** Medicaid spending for aged enrollees + +**Breakdown dimensions:** `['state_code']` + +**Child parameters:** 59 + +**Dimension analysis:** +- `state_code` → Enum lookup (state names) + +**Example - Current label generation:** +- Parameter: `calibration.gov.hhs.medicaid.spending.by_eligibility_group.aged.AL` +- Generated label: "Medicaid spending for aged enrollees (AL)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 29. `calibration.gov.hhs.medicaid.spending.by_eligibility_group.expansion_adults` + +**Label:** Medicaid spending for expansion adult enrollees + +**Breakdown dimensions:** `['state_code']` + +**Child parameters:** 59 + +**Dimension analysis:** +- `state_code` → Enum lookup (state names) + +**Example - Current label generation:** +- Parameter: `calibration.gov.hhs.medicaid.spending.by_eligibility_group.expansion_adults.AL` +- Generated label: "Medicaid spending for expansion adult enrollees (AL)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 30. `calibration.gov.hhs.medicaid.spending.by_eligibility_group.disabled` + +**Label:** Medicaid spending for disabled enrollees + +**Breakdown dimensions:** `['state_code']` + +**Child parameters:** 59 + +**Dimension analysis:** +- `state_code` → Enum lookup (state names) + +**Example - Current label generation:** +- Parameter: `calibration.gov.hhs.medicaid.spending.by_eligibility_group.disabled.AL` +- Generated label: "Medicaid spending for disabled enrollees (AL)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 31. `calibration.gov.hhs.medicaid.spending.by_eligibility_group.child` + +**Label:** Medicaid spending for child enrollees + +**Breakdown dimensions:** `['state_code']` + +**Child parameters:** 59 + +**Dimension analysis:** +- `state_code` → Enum lookup (state names) + +**Example - Current label generation:** +- Parameter: `calibration.gov.hhs.medicaid.spending.by_eligibility_group.child.AK` +- Generated label: "Medicaid spending for child enrollees (AK)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 32. `calibration.gov.hhs.medicaid.spending.totals.state` + +**Label:** State Medicaid spending + +**Breakdown dimensions:** `['state_code']` + +**Child parameters:** 59 + +**Dimension analysis:** +- `state_code` → Enum lookup (state names) + +**Example - Current label generation:** +- Parameter: `calibration.gov.hhs.medicaid.spending.totals.state.AK` +- Generated label: "State Medicaid spending (AK)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 33. `calibration.gov.hhs.medicaid.spending.totals.federal` + +**Label:** Federal Medicaid spending by state + +**Breakdown dimensions:** `['state_code']` + +**Child parameters:** 59 + +**Dimension analysis:** +- `state_code` → Enum lookup (state names) + +**Example - Current label generation:** +- Parameter: `calibration.gov.hhs.medicaid.spending.totals.federal.AK` +- Generated label: "Federal Medicaid spending by state (AK)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 34. `calibration.gov.hhs.cms.chip.enrollment.total` + +**Label:** Enrollment in all CHIP programs by state + +**Breakdown dimensions:** `['state_code']` + +**Child parameters:** 59 + +**Dimension analysis:** +- `state_code` → Enum lookup (state names) + +**Example - Current label generation:** +- Parameter: `calibration.gov.hhs.cms.chip.enrollment.total.AL` +- Generated label: "Enrollment in all CHIP programs by state (AL)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 35. `calibration.gov.hhs.cms.chip.enrollment.medicaid_expansion_chip` + +**Label:** Enrollment in Medicaid Expansion CHIP programs by state + +**Breakdown dimensions:** `['state_code']` + +**Child parameters:** 59 + +**Dimension analysis:** +- `state_code` → Enum lookup (state names) + +**Example - Current label generation:** +- Parameter: `calibration.gov.hhs.cms.chip.enrollment.medicaid_expansion_chip.AL` +- Generated label: "Enrollment in Medicaid Expansion CHIP programs by state (AL)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 36. `calibration.gov.hhs.cms.chip.enrollment.separate_chip` + +**Label:** Enrollment in Separate CHIP programs by state + +**Breakdown dimensions:** `['state_code']` + +**Child parameters:** 59 + +**Dimension analysis:** +- `state_code` → Enum lookup (state names) + +**Example - Current label generation:** +- Parameter: `calibration.gov.hhs.cms.chip.enrollment.separate_chip.AL` +- Generated label: "Enrollment in Separate CHIP programs by state (AL)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 37. `calibration.gov.hhs.cms.chip.spending.separate_chip.state` + +**Label:** State share of CHIP spending for separate CHIP programs and coverage of pregnant women + +**Breakdown dimensions:** `['state_code']` + +**Child parameters:** 59 + +**Dimension analysis:** +- `state_code` → Enum lookup (state names) + +**Example - Current label generation:** +- Parameter: `calibration.gov.hhs.cms.chip.spending.separate_chip.state.AL` +- Generated label: "State share of CHIP spending for separate CHIP programs and coverage of pregnant women (AL)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 38. `calibration.gov.hhs.cms.chip.spending.separate_chip.total` + +**Label:** CHIP spending for separate CHIP programs and coverage of pregnant women + +**Breakdown dimensions:** `['state_code']` + +**Child parameters:** 59 + +**Dimension analysis:** +- `state_code` → Enum lookup (state names) + +**Example - Current label generation:** +- Parameter: `calibration.gov.hhs.cms.chip.spending.separate_chip.total.AL` +- Generated label: "CHIP spending for separate CHIP programs and coverage of pregnant women (AL)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 39. `calibration.gov.hhs.cms.chip.spending.separate_chip.federal` + +**Label:** Federal share of CHIP spending for separate CHIP programs and coverage of pregnant women + +**Breakdown dimensions:** `['state_code']` + +**Child parameters:** 59 + +**Dimension analysis:** +- `state_code` → Enum lookup (state names) + +**Example - Current label generation:** +- Parameter: `calibration.gov.hhs.cms.chip.spending.separate_chip.federal.AL` +- Generated label: "Federal share of CHIP spending for separate CHIP programs and coverage of pregnant women (AL)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 40. `calibration.gov.hhs.cms.chip.spending.medicaid_expansion_chip.state` + +**Label:** State share of CHIP spending for Medicaid-expansion populations + +**Breakdown dimensions:** `['state_code']` + +**Child parameters:** 59 + +**Dimension analysis:** +- `state_code` → Enum lookup (state names) + +**Example - Current label generation:** +- Parameter: `calibration.gov.hhs.cms.chip.spending.medicaid_expansion_chip.state.AL` +- Generated label: "State share of CHIP spending for Medicaid-expansion populations (AL)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 41. `calibration.gov.hhs.cms.chip.spending.medicaid_expansion_chip.total` + +**Label:** CHIP spending for Medicaid-expansion populations + +**Breakdown dimensions:** `['state_code']` + +**Child parameters:** 59 + +**Dimension analysis:** +- `state_code` → Enum lookup (state names) + +**Example - Current label generation:** +- Parameter: `calibration.gov.hhs.cms.chip.spending.medicaid_expansion_chip.total.AL` +- Generated label: "CHIP spending for Medicaid-expansion populations (AL)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 42. `calibration.gov.hhs.cms.chip.spending.medicaid_expansion_chip.federal` + +**Label:** Federal share of CHIP spending for Medicaid-expansion populations + +**Breakdown dimensions:** `['state_code']` + +**Child parameters:** 59 + +**Dimension analysis:** +- `state_code` → Enum lookup (state names) + +**Example - Current label generation:** +- Parameter: `calibration.gov.hhs.cms.chip.spending.medicaid_expansion_chip.federal.AL` +- Generated label: "Federal share of CHIP spending for Medicaid-expansion populations (AL)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 43. `calibration.gov.hhs.cms.chip.spending.total.state` + +**Label:** State share of total CHIP spending + +**Breakdown dimensions:** `['state_code']` + +**Child parameters:** 59 + +**Dimension analysis:** +- `state_code` → Enum lookup (state names) + +**Example - Current label generation:** +- Parameter: `calibration.gov.hhs.cms.chip.spending.total.state.AL` +- Generated label: "State share of total CHIP spending (AL)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 44. `calibration.gov.hhs.cms.chip.spending.total.total` + +**Label:** Total CHIP spending + +**Breakdown dimensions:** `['state_code']` + +**Child parameters:** 59 + +**Dimension analysis:** +- `state_code` → Enum lookup (state names) + +**Example - Current label generation:** +- Parameter: `calibration.gov.hhs.cms.chip.spending.total.total.AL` +- Generated label: "Total CHIP spending (AL)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 45. `calibration.gov.hhs.cms.chip.spending.total.federal` + +**Label:** Federal share of total CHIP spending + +**Breakdown dimensions:** `['state_code']` + +**Child parameters:** 59 + +**Dimension analysis:** +- `state_code` → Enum lookup (state names) + +**Example - Current label generation:** +- Parameter: `calibration.gov.hhs.cms.chip.spending.total.federal.AL` +- Generated label: "Federal share of total CHIP spending (AL)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 46. `calibration.gov.hhs.cms.chip.spending.program_admin.state` + +**Label:** State share of state program administration costs for CHIP + +**Breakdown dimensions:** `['state_code']` + +**Child parameters:** 59 + +**Dimension analysis:** +- `state_code` → Enum lookup (state names) + +**Example - Current label generation:** +- Parameter: `calibration.gov.hhs.cms.chip.spending.program_admin.state.AL` +- Generated label: "State share of state program administration costs for CHIP (AL)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 47. `calibration.gov.hhs.cms.chip.spending.program_admin.total` + +**Label:** Total state program administration costs for CHIP + +**Breakdown dimensions:** `['state_code']` + +**Child parameters:** 59 + +**Dimension analysis:** +- `state_code` → Enum lookup (state names) + +**Example - Current label generation:** +- Parameter: `calibration.gov.hhs.cms.chip.spending.program_admin.total.AL` +- Generated label: "Total state program administration costs for CHIP (AL)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 48. `calibration.gov.hhs.cms.chip.spending.program_admin.federal` + +**Label:** Federal share of state program administration costs for CHIP + +**Breakdown dimensions:** `['state_code']` + +**Child parameters:** 59 + +**Dimension analysis:** +- `state_code` → Enum lookup (state names) + +**Example - Current label generation:** +- Parameter: `calibration.gov.hhs.cms.chip.spending.program_admin.federal.AL` +- Generated label: "Federal share of state program administration costs for CHIP (AL)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 49. `gov.aca.enrollment.state` + +**Label:** ACA enrollment by state + +**Breakdown dimensions:** `['state_code']` + +**Child parameters:** 59 + +**Dimension analysis:** +- `state_code` → Enum lookup (state names) + +**Example - Current label generation:** +- Parameter: `gov.aca.enrollment.state.AK` +- Generated label: "ACA enrollment by state (AK)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 50. `gov.aca.family_tier_states` + +**Label:** Family tier rating states + +**Breakdown dimensions:** `['state_code']` + +**Child parameters:** 59 + +**Dimension analysis:** +- `state_code` → Enum lookup (state names) + +**Example - Current label generation:** +- Parameter: `gov.aca.family_tier_states.AL` +- Generated label: "Family tier rating states (AL)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 51. `gov.aca.spending.state` + +**Label:** Federal ACA spending by state + +**Breakdown dimensions:** `['state_code']` + +**Child parameters:** 59 + +**Dimension analysis:** +- `state_code` → Enum lookup (state names) + +**Example - Current label generation:** +- Parameter: `gov.aca.spending.state.AL` +- Generated label: "Federal ACA spending by state (AL)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 52. `gov.usda.snap.income.deductions.self_employment.rate` + +**Label:** SNAP self-employment simplified deduction rate + +**Breakdown dimensions:** `['state_code']` + +**Child parameters:** 59 + +**Dimension analysis:** +- `state_code` → Enum lookup (state names) + +**Example - Current label generation:** +- Parameter: `gov.usda.snap.income.deductions.self_employment.rate.AK` +- Generated label: "SNAP self-employment simplified deduction rate (AK)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 53. `gov.usda.snap.income.deductions.self_employment.expense_based_deduction_applies` + +**Label:** SNAP self-employment expense-based deduction applies + +**Breakdown dimensions:** `['state_code']` + +**Child parameters:** 59 + +**Dimension analysis:** +- `state_code` → Enum lookup (state names) + +**Example - Current label generation:** +- Parameter: `gov.usda.snap.income.deductions.self_employment.expense_based_deduction_applies.AK` +- Generated label: "SNAP self-employment expense-based deduction applies (AK)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 54. `gov.usda.snap.income.deductions.excess_shelter_expense.homeless.available` + +**Label:** SNAP homeless shelter deduction available + +**Breakdown dimensions:** `['state_code']` + +**Child parameters:** 59 + +**Dimension analysis:** +- `state_code` → Enum lookup (state names) + +**Example - Current label generation:** +- Parameter: `gov.usda.snap.income.deductions.excess_shelter_expense.homeless.available.AK` +- Generated label: "SNAP homeless shelter deduction available (AK)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 55. `gov.usda.snap.income.deductions.child_support` + +**Label:** SNAP child support gross income deduction + +**Breakdown dimensions:** `['state_code']` + +**Child parameters:** 59 + +**Dimension analysis:** +- `state_code` → Enum lookup (state names) + +**Example - Current label generation:** +- Parameter: `gov.usda.snap.income.deductions.child_support.AK` +- Generated label: "SNAP child support gross income deduction (AK)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 56. `gov.usda.snap.income.deductions.utility.single.water` + +**Label:** SNAP standard utility allowance for water expenses + +**Breakdown dimensions:** `['snap_utility_region']` + +**Child parameters:** 59 + +**Dimension analysis:** +- `snap_utility_region` → Variable/enum lookup (may or may not have labels) + +**Example - Current label generation:** +- Parameter: `gov.usda.snap.income.deductions.utility.single.water.AK` +- Generated label: "SNAP standard utility allowance for water expenses (AK)" + +**Suggested improvement:** +- ℹ️ Uses custom enum variables - verify they have display labels +- Consider adding `breakdown_labels` for clarity + +--- + +### 57. `gov.usda.snap.income.deductions.utility.single.electricity` + +**Label:** SNAP standard utility allowance for electricity expenses + +**Breakdown dimensions:** `['snap_utility_region']` + +**Child parameters:** 59 + +**Dimension analysis:** +- `snap_utility_region` → Variable/enum lookup (may or may not have labels) + +**Example - Current label generation:** +- Parameter: `gov.usda.snap.income.deductions.utility.single.electricity.AK` +- Generated label: "SNAP standard utility allowance for electricity expenses (AK)" + +**Suggested improvement:** +- ℹ️ Uses custom enum variables - verify they have display labels +- Consider adding `breakdown_labels` for clarity + +--- + +### 58. `gov.usda.snap.income.deductions.utility.single.trash` + +**Label:** SNAP standard utility allowance for trash expenses + +**Breakdown dimensions:** `['snap_utility_region']` + +**Child parameters:** 59 + +**Dimension analysis:** +- `snap_utility_region` → Variable/enum lookup (may or may not have labels) + +**Example - Current label generation:** +- Parameter: `gov.usda.snap.income.deductions.utility.single.trash.AK` +- Generated label: "SNAP standard utility allowance for trash expenses (AK)" + +**Suggested improvement:** +- ℹ️ Uses custom enum variables - verify they have display labels +- Consider adding `breakdown_labels` for clarity + +--- + +### 59. `gov.usda.snap.income.deductions.utility.single.sewage` + +**Label:** SNAP standard utility allowance for sewage expenses + +**Breakdown dimensions:** `['snap_utility_region']` + +**Child parameters:** 59 + +**Dimension analysis:** +- `snap_utility_region` → Variable/enum lookup (may or may not have labels) + +**Example - Current label generation:** +- Parameter: `gov.usda.snap.income.deductions.utility.single.sewage.AK` +- Generated label: "SNAP standard utility allowance for sewage expenses (AK)" + +**Suggested improvement:** +- ℹ️ Uses custom enum variables - verify they have display labels +- Consider adding `breakdown_labels` for clarity + +--- + +### 60. `gov.usda.snap.income.deductions.utility.single.gas_and_fuel` + +**Label:** SNAP standard utility allowance for gas and fuel expenses + +**Breakdown dimensions:** `['snap_utility_region']` + +**Child parameters:** 59 + +**Dimension analysis:** +- `snap_utility_region` → Variable/enum lookup (may or may not have labels) + +**Example - Current label generation:** +- Parameter: `gov.usda.snap.income.deductions.utility.single.gas_and_fuel.AK` +- Generated label: "SNAP standard utility allowance for gas and fuel expenses (AK)" + +**Suggested improvement:** +- ℹ️ Uses custom enum variables - verify they have display labels +- Consider adding `breakdown_labels` for clarity + +--- + +### 61. `gov.usda.snap.income.deductions.utility.single.phone` + +**Label:** SNAP standard utility allowance for phone expenses + +**Breakdown dimensions:** `['snap_utility_region']` + +**Child parameters:** 59 + +**Dimension analysis:** +- `snap_utility_region` → Variable/enum lookup (may or may not have labels) + +**Example - Current label generation:** +- Parameter: `gov.usda.snap.income.deductions.utility.single.phone.AK` +- Generated label: "SNAP standard utility allowance for phone expenses (AK)" + +**Suggested improvement:** +- ℹ️ Uses custom enum variables - verify they have display labels +- Consider adding `breakdown_labels` for clarity + +--- + +### 62. `gov.usda.snap.income.deductions.utility.always_standard` + +**Label:** SNAP States using SUA + +**Breakdown dimensions:** `['state_code']` + +**Child parameters:** 59 + +**Dimension analysis:** +- `state_code` → Enum lookup (state names) + +**Example - Current label generation:** +- Parameter: `gov.usda.snap.income.deductions.utility.always_standard.AK` +- Generated label: "SNAP States using SUA (AK)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 63. `gov.usda.snap.income.deductions.utility.standard.main` + +**Label:** SNAP standard utility allowance + +**Breakdown dimensions:** `['state_code']` + +**Child parameters:** 59 + +**Dimension analysis:** +- `state_code` → Enum lookup (state names) + +**Example - Current label generation:** +- Parameter: `gov.usda.snap.income.deductions.utility.standard.main.AK` +- Generated label: "SNAP standard utility allowance (AK)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 64. `gov.usda.snap.income.deductions.utility.limited.active` + +**Label:** SNAP Limited Utility Allowance active + +**Breakdown dimensions:** `['snap_utility_region']` + +**Child parameters:** 59 + +**Dimension analysis:** +- `snap_utility_region` → Variable/enum lookup (may or may not have labels) + +**Example - Current label generation:** +- Parameter: `gov.usda.snap.income.deductions.utility.limited.active.AK` +- Generated label: "SNAP Limited Utility Allowance active (AK)" + +**Suggested improvement:** +- ℹ️ Uses custom enum variables - verify they have display labels +- Consider adding `breakdown_labels` for clarity + +--- + +### 65. `gov.usda.snap.income.deductions.utility.limited.main` + +**Label:** SNAP limited utility allowance + +**Breakdown dimensions:** `['snap_utility_region']` + +**Child parameters:** 59 + +**Dimension analysis:** +- `snap_utility_region` → Variable/enum lookup (may or may not have labels) + +**Example - Current label generation:** +- Parameter: `gov.usda.snap.income.deductions.utility.limited.main.AK` +- Generated label: "SNAP limited utility allowance (AK)" + +**Suggested improvement:** +- ℹ️ Uses custom enum variables - verify they have display labels +- Consider adding `breakdown_labels` for clarity + +--- + +### 66. `gov.usda.snap.emergency_allotment.in_effect` + +**Label:** SNAP emergency allotment in effect + +**Breakdown dimensions:** `['state_code']` + +**Child parameters:** 59 + +**Dimension analysis:** +- `state_code` → Enum lookup (state names) + +**Example - Current label generation:** +- Parameter: `gov.usda.snap.emergency_allotment.in_effect.AK` +- Generated label: "SNAP emergency allotment in effect (AK)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 67. `gov.hhs.head_start.spending` + +**Label:** Head Start state-level spending amount + +**Breakdown dimensions:** `['state_code']` + +**Child parameters:** 59 + +**Dimension analysis:** +- `state_code` → Enum lookup (state names) + +**Example - Current label generation:** +- Parameter: `gov.hhs.head_start.spending.AK` +- Generated label: "Head Start state-level spending amount (AK)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 68. `gov.hhs.head_start.enrollment` + +**Label:** Head Start state-level enrollment + +**Breakdown dimensions:** `['state_code']` + +**Child parameters:** 59 + +**Dimension analysis:** +- `state_code` → Enum lookup (state names) + +**Example - Current label generation:** +- Parameter: `gov.hhs.head_start.enrollment.AK` +- Generated label: "Head Start state-level enrollment (AK)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 69. `gov.hhs.head_start.early_head_start.spending` + +**Label:** Early Head Start state-level funding amount + +**Breakdown dimensions:** `['state_code']` + +**Child parameters:** 59 + +**Dimension analysis:** +- `state_code` → Enum lookup (state names) + +**Example - Current label generation:** +- Parameter: `gov.hhs.head_start.early_head_start.spending.AK` +- Generated label: "Early Head Start state-level funding amount (AK)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 70. `gov.hhs.head_start.early_head_start.enrollment` + +**Label:** Early Head Start state-level enrollment + +**Breakdown dimensions:** `['state_code']` + +**Child parameters:** 59 + +**Dimension analysis:** +- `state_code` → Enum lookup (state names) + +**Example - Current label generation:** +- Parameter: `gov.hhs.head_start.early_head_start.enrollment.AK` +- Generated label: "Early Head Start state-level enrollment (AK)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 71. `gov.hhs.medicaid.eligibility.undocumented_immigrant` + +**Label:** Medicaid undocumented immigrant eligibility + +**Breakdown dimensions:** `['state_code']` + +**Child parameters:** 59 + +**Dimension analysis:** +- `state_code` → Enum lookup (state names) + +**Example - Current label generation:** +- Parameter: `gov.hhs.medicaid.eligibility.undocumented_immigrant.AL` +- Generated label: "Medicaid undocumented immigrant eligibility (AL)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 72. `gov.hhs.medicaid.eligibility.categories.young_child.income_limit` + +**Label:** Medicaid young child income limit + +**Breakdown dimensions:** `['state_code']` + +**Child parameters:** 59 + +**Dimension analysis:** +- `state_code` → Enum lookup (state names) + +**Example - Current label generation:** +- Parameter: `gov.hhs.medicaid.eligibility.categories.young_child.income_limit.AK` +- Generated label: "Medicaid young child income limit (AK)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 73. `gov.hhs.medicaid.eligibility.categories.senior_or_disabled.income.limit.couple` + +**Label:** Medicaid senior or disabled income limit (couple) + +**Breakdown dimensions:** `['state_code']` + +**Child parameters:** 59 + +**Dimension analysis:** +- `state_code` → Enum lookup (state names) + +**Example - Current label generation:** +- Parameter: `gov.hhs.medicaid.eligibility.categories.senior_or_disabled.income.limit.couple.AK` +- Generated label: "Medicaid senior or disabled income limit (couple) (AK)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 74. `gov.hhs.medicaid.eligibility.categories.senior_or_disabled.income.limit.individual` + +**Label:** Medicaid senior or disabled income limit (individual) + +**Breakdown dimensions:** `['state_code']` + +**Child parameters:** 59 + +**Dimension analysis:** +- `state_code` → Enum lookup (state names) + +**Example - Current label generation:** +- Parameter: `gov.hhs.medicaid.eligibility.categories.senior_or_disabled.income.limit.individual.AK` +- Generated label: "Medicaid senior or disabled income limit (individual) (AK)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 75. `gov.hhs.medicaid.eligibility.categories.senior_or_disabled.income.disregard.couple` + +**Label:** Medicaid senior or disabled income disregard (couple) + +**Breakdown dimensions:** `['state_code']` + +**Child parameters:** 59 + +**Dimension analysis:** +- `state_code` → Enum lookup (state names) + +**Example - Current label generation:** +- Parameter: `gov.hhs.medicaid.eligibility.categories.senior_or_disabled.income.disregard.couple.AL` +- Generated label: "Medicaid senior or disabled income disregard (couple) (AL)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 76. `gov.hhs.medicaid.eligibility.categories.senior_or_disabled.income.disregard.individual` + +**Label:** Medicaid senior or disabled income disregard (individual) + +**Breakdown dimensions:** `['state_code']` + +**Child parameters:** 59 + +**Dimension analysis:** +- `state_code` → Enum lookup (state names) + +**Example - Current label generation:** +- Parameter: `gov.hhs.medicaid.eligibility.categories.senior_or_disabled.income.disregard.individual.AL` +- Generated label: "Medicaid senior or disabled income disregard (individual) (AL)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 77. `gov.hhs.medicaid.eligibility.categories.senior_or_disabled.assets.limit.couple` + +**Label:** Medicaid senior or disabled asset limit (couple) + +**Breakdown dimensions:** `['state_code']` + +**Child parameters:** 59 + +**Dimension analysis:** +- `state_code` → Enum lookup (state names) + +**Example - Current label generation:** +- Parameter: `gov.hhs.medicaid.eligibility.categories.senior_or_disabled.assets.limit.couple.AL` +- Generated label: "Medicaid senior or disabled asset limit (couple) (AL)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 78. `gov.hhs.medicaid.eligibility.categories.senior_or_disabled.assets.limit.individual` + +**Label:** Medicaid senior or disabled asset limit (individual) + +**Breakdown dimensions:** `['state_code']` + +**Child parameters:** 59 + +**Dimension analysis:** +- `state_code` → Enum lookup (state names) + +**Example - Current label generation:** +- Parameter: `gov.hhs.medicaid.eligibility.categories.senior_or_disabled.assets.limit.individual.AL` +- Generated label: "Medicaid senior or disabled asset limit (individual) (AL)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 79. `gov.hhs.medicaid.eligibility.categories.young_adult.income_limit` + +**Label:** Medicaid pregnant income limit + +**Breakdown dimensions:** `['state_code']` + +**Child parameters:** 59 + +**Dimension analysis:** +- `state_code` → Enum lookup (state names) + +**Example - Current label generation:** +- Parameter: `gov.hhs.medicaid.eligibility.categories.young_adult.income_limit.AK` +- Generated label: "Medicaid pregnant income limit (AK)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 80. `gov.hhs.medicaid.eligibility.categories.older_child.income_limit` + +**Label:** Medicaid older child income limit + +**Breakdown dimensions:** `['state_code']` + +**Child parameters:** 59 + +**Dimension analysis:** +- `state_code` → Enum lookup (state names) + +**Example - Current label generation:** +- Parameter: `gov.hhs.medicaid.eligibility.categories.older_child.income_limit.AK` +- Generated label: "Medicaid older child income limit (AK)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 81. `gov.hhs.medicaid.eligibility.categories.parent.income_limit` + +**Label:** Medicaid parent income limit + +**Breakdown dimensions:** `['state_code']` + +**Child parameters:** 59 + +**Dimension analysis:** +- `state_code` → Enum lookup (state names) + +**Example - Current label generation:** +- Parameter: `gov.hhs.medicaid.eligibility.categories.parent.income_limit.AK` +- Generated label: "Medicaid parent income limit (AK)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 82. `gov.hhs.medicaid.eligibility.categories.pregnant.income_limit` + +**Label:** Medicaid pregnant income limit + +**Breakdown dimensions:** `['state_code']` + +**Child parameters:** 59 + +**Dimension analysis:** +- `state_code` → Enum lookup (state names) + +**Example - Current label generation:** +- Parameter: `gov.hhs.medicaid.eligibility.categories.pregnant.income_limit.AK` +- Generated label: "Medicaid pregnant income limit (AK)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 83. `gov.hhs.medicaid.eligibility.categories.pregnant.postpartum_coverage` + +**Label:** Medicaid postpartum coverage + +**Breakdown dimensions:** `['state_code']` + +**Child parameters:** 59 + +**Dimension analysis:** +- `state_code` → Enum lookup (state names) + +**Example - Current label generation:** +- Parameter: `gov.hhs.medicaid.eligibility.categories.pregnant.postpartum_coverage.AK` +- Generated label: "Medicaid postpartum coverage (AK)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 84. `gov.hhs.medicaid.eligibility.categories.ssi_recipient.is_covered` + +**Label:** Medicaid covers all SSI recipients + +**Breakdown dimensions:** `['state_code']` + +**Child parameters:** 59 + +**Dimension analysis:** +- `state_code` → Enum lookup (state names) + +**Example - Current label generation:** +- Parameter: `gov.hhs.medicaid.eligibility.categories.ssi_recipient.is_covered.AK` +- Generated label: "Medicaid covers all SSI recipients (AK)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 85. `gov.hhs.medicaid.eligibility.categories.infant.income_limit` + +**Label:** Medicaid infant income limit + +**Breakdown dimensions:** `['state_code']` + +**Child parameters:** 59 + +**Dimension analysis:** +- `state_code` → Enum lookup (state names) + +**Example - Current label generation:** +- Parameter: `gov.hhs.medicaid.eligibility.categories.infant.income_limit.AK` +- Generated label: "Medicaid infant income limit (AK)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 86. `gov.hhs.medicaid.eligibility.categories.adult.income_limit` + +**Label:** Medicaid adult income limit + +**Breakdown dimensions:** `['state_code']` + +**Child parameters:** 59 + +**Dimension analysis:** +- `state_code` → Enum lookup (state names) + +**Example - Current label generation:** +- Parameter: `gov.hhs.medicaid.eligibility.categories.adult.income_limit.AK` +- Generated label: "Medicaid adult income limit (AK)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 87. `gov.hhs.chip.fcep.income_limit` + +**Label:** CHIP FCEP pregnant income limit + +**Breakdown dimensions:** `['state_code']` + +**Child parameters:** 59 + +**Dimension analysis:** +- `state_code` → Enum lookup (state names) + +**Example - Current label generation:** +- Parameter: `gov.hhs.chip.fcep.income_limit.AK` +- Generated label: "CHIP FCEP pregnant income limit (AK)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 88. `gov.hhs.chip.pregnant.income_limit` + +**Label:** CHIP pregnant income limit + +**Breakdown dimensions:** `['state_code']` + +**Child parameters:** 59 + +**Dimension analysis:** +- `state_code` → Enum lookup (state names) + +**Example - Current label generation:** +- Parameter: `gov.hhs.chip.pregnant.income_limit.AK` +- Generated label: "CHIP pregnant income limit (AK)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 89. `gov.hhs.chip.child.income_limit` + +**Label:** CHIP child income limit + +**Breakdown dimensions:** `['state_code']` + +**Child parameters:** 59 + +**Dimension analysis:** +- `state_code` → Enum lookup (state names) + +**Example - Current label generation:** +- Parameter: `gov.hhs.chip.child.income_limit.AK` +- Generated label: "CHIP child income limit (AK)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 90. `gov.hhs.medicare.savings_programs.eligibility.asset.applies` + +**Label:** MSP asset test applies + +**Breakdown dimensions:** `['state_code']` + +**Child parameters:** 59 + +**Dimension analysis:** +- `state_code` → Enum lookup (state names) + +**Example - Current label generation:** +- Parameter: `gov.hhs.medicare.savings_programs.eligibility.asset.applies.AL` +- Generated label: "MSP asset test applies (AL)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 91. `gov.hhs.tanf.non_cash.income_limit.gross` + +**Label:** SNAP BBCE gross income limit + +**Breakdown dimensions:** `['state_code']` + +**Child parameters:** 59 + +**Dimension analysis:** +- `state_code` → Enum lookup (state names) + +**Example - Current label generation:** +- Parameter: `gov.hhs.tanf.non_cash.income_limit.gross.AL` +- Generated label: "SNAP BBCE gross income limit (AL)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 92. `gov.states.ma.dta.ssp.amount` + +**Label:** Massachusetts SSP payment amount + +**Breakdown dimensions:** `['ma_state_living_arrangement', 'ssi_category', 'range(1, 3)']` + +**Child parameters:** 48 + +**Dimension analysis:** +- `ma_state_living_arrangement` → Variable/enum lookup (may or may not have labels) +- `ssi_category` → Variable/enum lookup (may or may not have labels) +- `range(1, 3)` → **Raw numeric index (NO semantic label)** + +**Example - Current label generation:** +- Parameter: `gov.states.ma.dta.ssp.amount.FULL_COST.AGED.1` +- Generated label: "Massachusetts SSP payment amount (FULL_COST, AGED, 1)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ['[CHECK: ma_state_living_arrangement]', '[CHECK: ssi_category]', '[NEEDS: label for range(1, 3)]']` + +--- + +### 93. `gov.states.ma.eec.ccfa.reimbursement_rates.center_based.school_age` + +**Label:** Massachusetts CCFA center-based school age reimbursement rates + +**Breakdown dimensions:** `['ma_ccfa_region', 'ma_ccfa_child_age_category', 'ma_ccfa_schedule_type']` + +**Child parameters:** 48 + +**Dimension analysis:** +- `ma_ccfa_region` → Variable/enum lookup (may or may not have labels) +- `ma_ccfa_child_age_category` → Variable/enum lookup (may or may not have labels) +- `ma_ccfa_schedule_type` → Variable/enum lookup (may or may not have labels) + +**Example - Current label generation:** +- Parameter: `gov.states.ma.eec.ccfa.reimbursement_rates.center_based.school_age.WESTERN_CENTRAL_AND_SOUTHEAST.SCHOOL_AGE.BEFORE_ONLY` +- Generated label: "Massachusetts CCFA center-based school age reimbursement rates (WESTERN_CENTRAL_AND_SOUTHEAST, SCHOOL_AGE, BEFORE_ONLY)" + +**Suggested improvement:** +- ℹ️ Uses custom enum variables - verify they have display labels +- Consider adding `breakdown_labels` for clarity + +--- + +### 94. `gov.contrib.additional_tax_bracket.bracket.thresholds` + +**Label:** Individual income tax rate thresholds + +**Breakdown dimensions:** `['range(1, 8)', 'filing_status']` + +**Child parameters:** 40 + +**Dimension analysis:** +- `range(1, 8)` → **Raw numeric index (NO semantic label)** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.contrib.additional_tax_bracket.bracket.thresholds.1.SINGLE` +- Generated label: "Individual income tax rate thresholds (1, SINGLE)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ['[NEEDS: label for range(1, 8)]', 'Filing status']` + +--- + +### 95. `gov.usda.snap.income.deductions.standard` + +**Label:** SNAP standard deduction + +**Breakdown dimensions:** `['state_group', 'range(1, 7)']` + +**Child parameters:** 36 + +**Dimension analysis:** +- `state_group` → Variable/enum lookup (may or may not have labels) +- `range(1, 7)` → **Raw numeric index (NO semantic label)** + +**Example - Current label generation:** +- Parameter: `gov.usda.snap.income.deductions.standard.CONTIGUOUS_US.1` +- Generated label: "SNAP standard deduction (CONTIGUOUS_US, 1)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ['[CHECK: state_group]', '[NEEDS: label for range(1, 7)]']` + +--- + +### 96. `gov.irs.income.bracket.thresholds` + +**Label:** Individual income tax rate thresholds + +**Breakdown dimensions:** `['range(1, 7)', 'filing_status']` + +**Child parameters:** 35 + +**Dimension analysis:** +- `range(1, 7)` → **Raw numeric index (NO semantic label)** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.irs.income.bracket.thresholds.1.SINGLE` +- Generated label: "Individual income tax rate thresholds (1, SINGLE)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ['[NEEDS: label for range(1, 7)]', 'Filing status']` + +--- + +### 97. `gov.states.ma.eec.ccfa.copay.fee_level.fee_percentages` + +**Label:** Massachusetts CCFA fee percentage by fee level + +**Breakdown dimensions:** `['range(1,29)']` + +**Child parameters:** 29 + +**Dimension analysis:** +- `range(1,29)` → **Raw numeric index (NO semantic label)** + +**Example - Current label generation:** +- Parameter: `gov.states.ma.eec.ccfa.copay.fee_level.fee_percentages.0` +- Generated label: "Massachusetts CCFA fee percentage by fee level (0)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ['[NEEDS: label for range(1,29)]']` + +--- + +### 98. `gov.states.pa.dhs.tanf.standard_of_need.amount` + +**Label:** Pennsylvania TANF Standard of Need by county group + +**Breakdown dimensions:** `['pa_tanf_county_group']` + +**Child parameters:** 24 + +**Dimension analysis:** +- `pa_tanf_county_group` → Variable/enum lookup (may or may not have labels) + +**Example - Current label generation:** +- Parameter: `gov.states.pa.dhs.tanf.standard_of_need.amount.GROUP_1.1` +- Generated label: "Pennsylvania TANF Standard of Need by county group (GROUP_1, 1)" + +**Suggested improvement:** +- ℹ️ Uses custom enum variables - verify they have display labels +- Consider adding `breakdown_labels` for clarity + +--- + +### 99. `gov.states.pa.dhs.tanf.family_size_allowance.amount` + +**Label:** Pennsylvania TANF family size allowance by county group + +**Breakdown dimensions:** `['pa_tanf_county_group']` + +**Child parameters:** 24 + +**Dimension analysis:** +- `pa_tanf_county_group` → Variable/enum lookup (may or may not have labels) + +**Example - Current label generation:** +- Parameter: `gov.states.pa.dhs.tanf.family_size_allowance.amount.GROUP_1.1` +- Generated label: "Pennsylvania TANF family size allowance by county group (GROUP_1, 1)" + +**Suggested improvement:** +- ℹ️ Uses custom enum variables - verify they have display labels +- Consider adding `breakdown_labels` for clarity + +--- + +### 100. `gov.states.ma.doer.liheap.standard.amount.non_subsidized` + +**Label:** Massachusetts LIHEAP homeowners and non subsidized housing payment amount + +**Breakdown dimensions:** `['range(0,7)', 'ma_liheap_utility_category']` + +**Child parameters:** 21 + +**Dimension analysis:** +- `range(0,7)` → **Raw numeric index (NO semantic label)** +- `ma_liheap_utility_category` → Variable/enum lookup (may or may not have labels) + +**Example - Current label generation:** +- Parameter: `gov.states.ma.doer.liheap.standard.amount.non_subsidized.0.DELIVERABLE_FUEL` +- Generated label: "Massachusetts LIHEAP homeowners and non subsidized housing payment amount (0, DELIVERABLE_FUEL)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ['[NEEDS: label for range(0,7)]', '[CHECK: ma_liheap_utility_category]']` + +--- + +### 101. `gov.states.ma.doer.liheap.standard.amount.subsidized` + +**Label:** Massachusetts LIHEAP subsidized housing payment amount + +**Breakdown dimensions:** `['range(1,6)', 'ma_liheap_utility_category']` + +**Child parameters:** 21 + +**Dimension analysis:** +- `range(1,6)` → **Raw numeric index (NO semantic label)** +- `ma_liheap_utility_category` → Variable/enum lookup (may or may not have labels) + +**Example - Current label generation:** +- Parameter: `gov.states.ma.doer.liheap.standard.amount.subsidized.0.DELIVERABLE_FUEL` +- Generated label: "Massachusetts LIHEAP subsidized housing payment amount (0, DELIVERABLE_FUEL)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ['[NEEDS: label for range(1,6)]', '[CHECK: ma_liheap_utility_category]']` + +--- + +### 102. `gov.states.mn.dcyf.mfip.transitional_standard.amount` + +**Label:** Minnesota MFIP Transitional Standard amount + +**Breakdown dimensions:** `['range(0, 20)']` + +**Child parameters:** 20 + +**Dimension analysis:** +- `range(0, 20)` → **Raw numeric index (NO semantic label)** + +**Example - Current label generation:** +- Parameter: `gov.states.mn.dcyf.mfip.transitional_standard.amount.1` +- Generated label: "Minnesota MFIP Transitional Standard amount (1)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ['[NEEDS: label for range(0, 20)]']` + +--- + +### 103. `gov.states.dc.dhs.tanf.standard_payment.amount` + +**Label:** DC TANF standard payment amount + +**Breakdown dimensions:** `['range(0, 20)']` + +**Child parameters:** 20 + +**Dimension analysis:** +- `range(0, 20)` → **Raw numeric index (NO semantic label)** + +**Example - Current label generation:** +- Parameter: `gov.states.dc.dhs.tanf.standard_payment.amount.1` +- Generated label: "DC TANF standard payment amount (1)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ['[NEEDS: label for range(0, 20)]']` + +--- + +### 104. `gov.hud.ami_limit.family_size` + +**Label:** HUD area median income limit + +**Breakdown dimensions:** `['hud_income_level', 'range(1, 5)']` + +**Child parameters:** 20 + +**Dimension analysis:** +- `hud_income_level` → Variable/enum lookup (may or may not have labels) +- `range(1, 5)` → **Raw numeric index (NO semantic label)** + +**Example - Current label generation:** +- Parameter: `gov.hud.ami_limit.family_size.MODERATE.1` +- Generated label: "HUD area median income limit (MODERATE, 1)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ['[CHECK: hud_income_level]', '[NEEDS: label for range(1, 5)]']` + +--- + +### 105. `gov.states.ut.dwf.fep.standard_needs_budget.amount` + +**Label:** Utah FEP Standard Needs Budget (SNB) + +**Breakdown dimensions:** `['range(1, 20)']` + +**Child parameters:** 19 + +**Dimension analysis:** +- `range(1, 20)` → **Raw numeric index (NO semantic label)** + +**Example - Current label generation:** +- Parameter: `gov.states.ut.dwf.fep.standard_needs_budget.amount.1` +- Generated label: "Utah FEP Standard Needs Budget (SNB) (1)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ['[NEEDS: label for range(1, 20)]']` + +--- + +### 106. `gov.states.ut.dwf.fep.payment_standard.amount` + +**Label:** Utah FEP maximum benefit amount + +**Breakdown dimensions:** `['range(1, 20)']` + +**Child parameters:** 19 + +**Dimension analysis:** +- `range(1, 20)` → **Raw numeric index (NO semantic label)** + +**Example - Current label generation:** +- Parameter: `gov.states.ut.dwf.fep.payment_standard.amount.1` +- Generated label: "Utah FEP maximum benefit amount (1)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ['[NEEDS: label for range(1, 20)]']` + +--- + +### 107. `gov.states.mo.dss.tanf.standard_of_need.amount` + +**Label:** Missouri TANF standard of need + +**Breakdown dimensions:** `['range(1, 20)']` + +**Child parameters:** 19 + +**Dimension analysis:** +- `range(1, 20)` → **Raw numeric index (NO semantic label)** + +**Example - Current label generation:** +- Parameter: `gov.states.mo.dss.tanf.standard_of_need.amount.1` +- Generated label: "Missouri TANF standard of need (1)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ['[NEEDS: label for range(1, 20)]']` + +--- + +### 108. `gov.states.ar.dhs.tea.payment_standard.amount` + +**Label:** Arkansas TEA payment standard amount + +**Breakdown dimensions:** `['range(1, 20)']` + +**Child parameters:** 19 + +**Dimension analysis:** +- `range(1, 20)` → **Raw numeric index (NO semantic label)** + +**Example - Current label generation:** +- Parameter: `gov.states.ar.dhs.tea.payment_standard.amount.1` +- Generated label: "Arkansas TEA payment standard amount (1)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ['[NEEDS: label for range(1, 20)]']` + +--- + +### 109. `gov.usda.school_meals.amount.nslp` + +**Label:** National School Lunch Program value + +**Breakdown dimensions:** `['state_group', 'school_meal_tier']` + +**Child parameters:** 18 + +**Dimension analysis:** +- `state_group` → Variable/enum lookup (may or may not have labels) +- `school_meal_tier` → Variable/enum lookup (may or may not have labels) + +**Example - Current label generation:** +- Parameter: `gov.usda.school_meals.amount.nslp.CONTIGUOUS_US.PAID` +- Generated label: "National School Lunch Program value (CONTIGUOUS_US, PAID)" + +**Suggested improvement:** +- ℹ️ Uses custom enum variables - verify they have display labels +- Consider adding `breakdown_labels` for clarity + +--- + +### 110. `gov.usda.school_meals.amount.sbp` + +**Label:** School Breakfast Program value + +**Breakdown dimensions:** `['state_group', 'school_meal_tier']` + +**Child parameters:** 18 + +**Dimension analysis:** +- `state_group` → Variable/enum lookup (may or may not have labels) +- `school_meal_tier` → Variable/enum lookup (may or may not have labels) + +**Example - Current label generation:** +- Parameter: `gov.usda.school_meals.amount.sbp.CONTIGUOUS_US.PAID` +- Generated label: "School Breakfast Program value (CONTIGUOUS_US, PAID)" + +**Suggested improvement:** +- ℹ️ Uses custom enum variables - verify they have display labels +- Consider adding `breakdown_labels` for clarity + +--- + +### 111. `gov.contrib.harris.capital_gains.thresholds` + +**Label:** Harris capital gains tax rate thresholds + +**Breakdown dimensions:** `['range(1, 4)', 'filing_status']` + +**Child parameters:** 15 + +**Dimension analysis:** +- `range(1, 4)` → **Raw numeric index (NO semantic label)** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.contrib.harris.capital_gains.thresholds.1.HEAD_OF_HOUSEHOLD` +- Generated label: "Harris capital gains tax rate thresholds (1, HEAD_OF_HOUSEHOLD)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ['[NEEDS: label for range(1, 4)]', 'Filing status']` + +--- + +### 112. `gov.states.oh.odjfs.owf.payment_standard.amounts` + +**Label:** Ohio Works First payment standard amounts + +**Breakdown dimensions:** `['range(1, 16)']` + +**Child parameters:** 15 + +**Dimension analysis:** +- `range(1, 16)` → **Raw numeric index (NO semantic label)** + +**Example - Current label generation:** +- Parameter: `gov.states.oh.odjfs.owf.payment_standard.amounts.1` +- Generated label: "Ohio Works First payment standard amounts (1)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ['[NEEDS: label for range(1, 16)]']` + +--- + +### 113. `gov.states.nc.ncdhhs.tanf.need_standard.main` + +**Label:** North Carolina TANF monthly need standard + +**Breakdown dimensions:** `['range(1, 15)']` + +**Child parameters:** 14 + +**Dimension analysis:** +- `range(1, 15)` → **Raw numeric index (NO semantic label)** + +**Example - Current label generation:** +- Parameter: `gov.states.nc.ncdhhs.tanf.need_standard.main.1` +- Generated label: "North Carolina TANF monthly need standard (1)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ['[NEEDS: label for range(1, 15)]']` + +--- + +### 114. `gov.states.ma.eec.ccfa.copay.fee_level.income_ratio_increments` + +**Label:** Massachusetts CCFA income ratio increments by household size + +**Breakdown dimensions:** `['range(1,13)']` + +**Child parameters:** 13 + +**Dimension analysis:** +- `range(1,13)` → **Raw numeric index (NO semantic label)** + +**Example - Current label generation:** +- Parameter: `gov.states.ma.eec.ccfa.copay.fee_level.income_ratio_increments.0` +- Generated label: "Massachusetts CCFA income ratio increments by household size (0)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ['[NEEDS: label for range(1,13)]']` + +--- + +### 115. `gov.states.ma.eec.ccfa.reimbursement_rates.head_start_partner_and_kindergarten` + +**Label:** Massachusetts CCFA head start partner and kindergarten reimbursement rates + +**Breakdown dimensions:** `['ma_ccfa_region', 'ma_ccfa_schedule_type']` + +**Child parameters:** 12 + +**Dimension analysis:** +- `ma_ccfa_region` → Variable/enum lookup (may or may not have labels) +- `ma_ccfa_schedule_type` → Variable/enum lookup (may or may not have labels) + +**Example - Current label generation:** +- Parameter: `gov.states.ma.eec.ccfa.reimbursement_rates.head_start_partner_and_kindergarten.WESTERN_CENTRAL_AND_SOUTHEAST.BEFORE_ONLY` +- Generated label: "Massachusetts CCFA head start partner and kindergarten reimbursement rates (WESTERN_CENTRAL_AND_SOUTHEAST, BEFORE_ONLY)" + +**Suggested improvement:** +- ℹ️ Uses custom enum variables - verify they have display labels +- Consider adding `breakdown_labels` for clarity + +--- + +### 116. `gov.states.ma.eec.ccfa.reimbursement_rates.center_based.early_education` + +**Label:** Massachusetts CCFA center-based early education reimbursement rates + +**Breakdown dimensions:** `['ma_ccfa_region', 'ma_ccfa_child_age_category']` + +**Child parameters:** 12 + +**Dimension analysis:** +- `ma_ccfa_region` → Variable/enum lookup (may or may not have labels) +- `ma_ccfa_child_age_category` → Variable/enum lookup (may or may not have labels) + +**Example - Current label generation:** +- Parameter: `gov.states.ma.eec.ccfa.reimbursement_rates.center_based.early_education.WESTERN_CENTRAL_AND_SOUTHEAST.INFANT` +- Generated label: "Massachusetts CCFA center-based early education reimbursement rates (WESTERN_CENTRAL_AND_SOUTHEAST, INFANT)" + +**Suggested improvement:** +- ℹ️ Uses custom enum variables - verify they have display labels +- Consider adding `breakdown_labels` for clarity + +--- + +### 117. `gov.hhs.fpg` + +**Label:** Federal poverty guidelines + +**Breakdown dimensions:** `[['first_person', 'additional_person'], 'state_group']` + +**Child parameters:** 12 + +**Dimension analysis:** +- `['first_person', 'additional_person']` → List of fixed keys +- `state_group` → Variable/enum lookup (may or may not have labels) + +**Example - Current label generation:** +- Parameter: `gov.hhs.fpg.first_person.CONTIGUOUS_US` +- Generated label: "Federal poverty guidelines (first_person, CONTIGUOUS_US)" + +**Suggested improvement:** +- ℹ️ Uses custom enum variables - verify they have display labels +- Consider adding `breakdown_labels` for clarity + +--- + +### 118. `gov.states.ga.dfcs.tanf.financial_standards.family_maximum.base` + +**Label:** Georgia TANF family maximum base amount + +**Breakdown dimensions:** `['range(1, 12)']` + +**Child parameters:** 11 + +**Dimension analysis:** +- `range(1, 12)` → **Raw numeric index (NO semantic label)** + +**Example - Current label generation:** +- Parameter: `gov.states.ga.dfcs.tanf.financial_standards.family_maximum.base.1` +- Generated label: "Georgia TANF family maximum base amount (1)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ['[NEEDS: label for range(1, 12)]']` + +--- + +### 119. `gov.states.ga.dfcs.tanf.financial_standards.standard_of_need.base` + +**Label:** Georgia TANF standard of need base amount + +**Breakdown dimensions:** `['range(1, 12)']` + +**Child parameters:** 11 + +**Dimension analysis:** +- `range(1, 12)` → **Raw numeric index (NO semantic label)** + +**Example - Current label generation:** +- Parameter: `gov.states.ga.dfcs.tanf.financial_standards.standard_of_need.base.1` +- Generated label: "Georgia TANF standard of need base amount (1)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ['[NEEDS: label for range(1, 12)]']` + +--- + +### 120. `gov.usda.snap.income.deductions.utility.standard.by_household_size.amount` + +**Label:** SNAP SUAs by household size + +**Breakdown dimensions:** `[['NC'], 'range(1, 10)']` + +**Child parameters:** 10 + +**Dimension analysis:** +- `['NC']` → List of fixed keys +- `range(1, 10)` → **Raw numeric index (NO semantic label)** + +**Example - Current label generation:** +- Parameter: `gov.usda.snap.income.deductions.utility.standard.by_household_size.amount.NC.1` +- Generated label: "SNAP SUAs by household size (NC, 1)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ["[NEEDS: label for ['NC']]", '[NEEDS: label for range(1, 10)]']` + +--- + +### 121. `gov.usda.snap.income.deductions.utility.limited.by_household_size.amount` + +**Label:** SNAP LUAs by household size + +**Breakdown dimensions:** `[['NC'], 'range(1, 10)']` + +**Child parameters:** 10 + +**Dimension analysis:** +- `['NC']` → List of fixed keys +- `range(1, 10)` → **Raw numeric index (NO semantic label)** + +**Example - Current label generation:** +- Parameter: `gov.usda.snap.income.deductions.utility.limited.by_household_size.amount.NC.1` +- Generated label: "SNAP LUAs by household size (NC, 1)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ["[NEEDS: label for ['NC']]", '[NEEDS: label for range(1, 10)]']` + +--- + +### 122. `gov.states.ms.dhs.tanf.need_standard.amount` + +**Label:** Mississippi TANF need standard amount + +**Breakdown dimensions:** `['range(1, 11)']` + +**Child parameters:** 10 + +**Dimension analysis:** +- `range(1, 11)` → **Raw numeric index (NO semantic label)** + +**Example - Current label generation:** +- Parameter: `gov.states.ms.dhs.tanf.need_standard.amount.1` +- Generated label: "Mississippi TANF need standard amount (1)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ['[NEEDS: label for range(1, 11)]']` + +--- + +### 123. `gov.states.in.fssa.tanf.standard_of_need.amount` + +**Label:** Indiana TANF standard of need amount + +**Breakdown dimensions:** `['range(1, 11)']` + +**Child parameters:** 10 + +**Dimension analysis:** +- `range(1, 11)` → **Raw numeric index (NO semantic label)** + +**Example - Current label generation:** +- Parameter: `gov.states.in.fssa.tanf.standard_of_need.amount.1` +- Generated label: "Indiana TANF standard of need amount (1)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ['[NEEDS: label for range(1, 11)]']` + +--- + +### 124. `gov.states.ca.cdss.tanf.cash.monthly_payment.region1.exempt` + +**Label:** California CalWORKs monthly payment level - exempt map region 1 + +**Breakdown dimensions:** `['range(1, 11)']` + +**Child parameters:** 10 + +**Dimension analysis:** +- `range(1, 11)` → **Raw numeric index (NO semantic label)** + +**Example - Current label generation:** +- Parameter: `gov.states.ca.cdss.tanf.cash.monthly_payment.region1.exempt.1` +- Generated label: "California CalWORKs monthly payment level - exempt map region 1 (1)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ['[NEEDS: label for range(1, 11)]']` + +--- + +### 125. `gov.states.ca.cdss.tanf.cash.monthly_payment.region1.non_exempt` + +**Label:** California CalWORKs monthly payment level - non-exempt map region 1 + +**Breakdown dimensions:** `['range(1, 11)']` + +**Child parameters:** 10 + +**Dimension analysis:** +- `range(1, 11)` → **Raw numeric index (NO semantic label)** + +**Example - Current label generation:** +- Parameter: `gov.states.ca.cdss.tanf.cash.monthly_payment.region1.non_exempt.1` +- Generated label: "California CalWORKs monthly payment level - non-exempt map region 1 (1)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ['[NEEDS: label for range(1, 11)]']` + +--- + +### 126. `gov.states.ca.cdss.tanf.cash.monthly_payment.region2.exempt` + +**Label:** California CalWORKs monthly payment level - exempt map region 2 + +**Breakdown dimensions:** `['range(1, 11)']` + +**Child parameters:** 10 + +**Dimension analysis:** +- `range(1, 11)` → **Raw numeric index (NO semantic label)** + +**Example - Current label generation:** +- Parameter: `gov.states.ca.cdss.tanf.cash.monthly_payment.region2.exempt.1` +- Generated label: "California CalWORKs monthly payment level - exempt map region 2 (1)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ['[NEEDS: label for range(1, 11)]']` + +--- + +### 127. `gov.states.ca.cdss.tanf.cash.monthly_payment.region2.non_exempt` + +**Label:** California CalWORKs monthly payment level - non-exempt map region 2 + +**Breakdown dimensions:** `['range(1, 11)']` + +**Child parameters:** 10 + +**Dimension analysis:** +- `range(1, 11)` → **Raw numeric index (NO semantic label)** + +**Example - Current label generation:** +- Parameter: `gov.states.ca.cdss.tanf.cash.monthly_payment.region2.non_exempt.1` +- Generated label: "California CalWORKs monthly payment level - non-exempt map region 2 (1)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ['[NEEDS: label for range(1, 11)]']` + +--- + +### 128. `gov.states.ca.cdss.tanf.cash.income.monthly_limit.region1.main` + +**Label:** California CalWORKs monthly income limit for region 1 + +**Breakdown dimensions:** `['range(1, 11)']` + +**Child parameters:** 10 + +**Dimension analysis:** +- `range(1, 11)` → **Raw numeric index (NO semantic label)** + +**Example - Current label generation:** +- Parameter: `gov.states.ca.cdss.tanf.cash.income.monthly_limit.region1.main.1` +- Generated label: "California CalWORKs monthly income limit for region 1 (1)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ['[NEEDS: label for range(1, 11)]']` + +--- + +### 129. `gov.states.ca.cdss.tanf.cash.income.monthly_limit.region2.main` + +**Label:** California CalWORKs monthly income limit for region 2 + +**Breakdown dimensions:** `['range(1, 11)']` + +**Child parameters:** 10 + +**Dimension analysis:** +- `range(1, 11)` → **Raw numeric index (NO semantic label)** + +**Example - Current label generation:** +- Parameter: `gov.states.ca.cdss.tanf.cash.income.monthly_limit.region2.main.1` +- Generated label: "California CalWORKs monthly income limit for region 2 (1)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ['[NEEDS: label for range(1, 11)]']` + +--- + +### 130. `gov.states.ks.dcf.tanf.payment_standard.amount` + +**Label:** Kansas TANF payment standard amount + +**Breakdown dimensions:** `['range(0, 10)']` + +**Child parameters:** 10 + +**Dimension analysis:** +- `range(0, 10)` → **Raw numeric index (NO semantic label)** + +**Example - Current label generation:** +- Parameter: `gov.states.ks.dcf.tanf.payment_standard.amount.1` +- Generated label: "Kansas TANF payment standard amount (1)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ['[NEEDS: label for range(0, 10)]']` + +--- + +### 131. `gov.states.ne.dhhs.adc.benefit.standard_of_need.amount` + +**Label:** Nebraska ADC standard of need + +**Breakdown dimensions:** `['range(1, 11)']` + +**Child parameters:** 10 + +**Dimension analysis:** +- `range(1, 11)` → **Raw numeric index (NO semantic label)** + +**Example - Current label generation:** +- Parameter: `gov.states.ne.dhhs.adc.benefit.standard_of_need.amount.1` +- Generated label: "Nebraska ADC standard of need (1)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ['[NEEDS: label for range(1, 11)]']` + +--- + +### 132. `gov.states.id.tafi.work_incentive_table.amount` + +**Label:** Idaho TAFI work incentive table amount + +**Breakdown dimensions:** `['range(1, 11)']` + +**Child parameters:** 10 + +**Dimension analysis:** +- `range(1, 11)` → **Raw numeric index (NO semantic label)** + +**Example - Current label generation:** +- Parameter: `gov.states.id.tafi.work_incentive_table.amount.1` +- Generated label: "Idaho TAFI work incentive table amount (1)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ['[NEEDS: label for range(1, 11)]']` + +--- + +### 133. `gov.states.or.odhs.tanf.income.countable_income_limit.amount` + +**Label:** Oregon TANF countable income limit + +**Breakdown dimensions:** `['range(1, 11)']` + +**Child parameters:** 10 + +**Dimension analysis:** +- `range(1, 11)` → **Raw numeric index (NO semantic label)** + +**Example - Current label generation:** +- Parameter: `gov.states.or.odhs.tanf.income.countable_income_limit.amount.1` +- Generated label: "Oregon TANF countable income limit (1)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ['[NEEDS: label for range(1, 11)]']` + +--- + +### 134. `gov.states.or.odhs.tanf.income.adjusted_income_limit.amount` + +**Label:** Oregon TANF adjusted income limit + +**Breakdown dimensions:** `['range(1, 11)']` + +**Child parameters:** 10 + +**Dimension analysis:** +- `range(1, 11)` → **Raw numeric index (NO semantic label)** + +**Example - Current label generation:** +- Parameter: `gov.states.or.odhs.tanf.income.adjusted_income_limit.amount.1` +- Generated label: "Oregon TANF adjusted income limit (1)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ['[NEEDS: label for range(1, 11)]']` + +--- + +### 135. `gov.states.or.odhs.tanf.payment_standard.amount` + +**Label:** Oregon TANF payment standard + +**Breakdown dimensions:** `['range(1, 11)']` + +**Child parameters:** 10 + +**Dimension analysis:** +- `range(1, 11)` → **Raw numeric index (NO semantic label)** + +**Example - Current label generation:** +- Parameter: `gov.states.or.odhs.tanf.payment_standard.amount.1` +- Generated label: "Oregon TANF payment standard (1)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ['[NEEDS: label for range(1, 11)]']` + +--- + +### 136. `gov.states.wa.dshs.tanf.income.limit` + +**Label:** Washington TANF maximum gross earned income limit + +**Breakdown dimensions:** `['range(1, 11)']` + +**Child parameters:** 10 + +**Dimension analysis:** +- `range(1, 11)` → **Raw numeric index (NO semantic label)** + +**Example - Current label generation:** +- Parameter: `gov.states.wa.dshs.tanf.income.limit.1` +- Generated label: "Washington TANF maximum gross earned income limit (1)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ['[NEEDS: label for range(1, 11)]']` + +--- + +### 137. `gov.states.wa.dshs.tanf.payment_standard.amount` + +**Label:** Washington TANF payment standard + +**Breakdown dimensions:** `['range(1, 11)']` + +**Child parameters:** 10 + +**Dimension analysis:** +- `range(1, 11)` → **Raw numeric index (NO semantic label)** + +**Example - Current label generation:** +- Parameter: `gov.states.wa.dshs.tanf.payment_standard.amount.1` +- Generated label: "Washington TANF payment standard (1)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ['[NEEDS: label for range(1, 11)]']` + +--- + +### 138. `gov.contrib.additional_tax_bracket.bracket.rates` + +**Label:** Individual income tax rates + +**Breakdown dimensions:** `['range(1, 8)']` + +**Child parameters:** 8 + +**Dimension analysis:** +- `range(1, 8)` → **Raw numeric index (NO semantic label)** + +**Example - Current label generation:** +- Parameter: `gov.contrib.additional_tax_bracket.bracket.rates.1` +- Generated label: "Individual income tax rates (1)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ['[NEEDS: label for range(1, 8)]']` + +--- + +### 139. `gov.states.ma.dta.tcap.eaedc.standard_assistance.amount.additional` + +**Label:** Massachusetts EAEDC standard assistance additional amount + +**Breakdown dimensions:** `['ma_eaedc_living_arrangement']` + +**Child parameters:** 8 + +**Dimension analysis:** +- `ma_eaedc_living_arrangement` → Variable/enum lookup (may or may not have labels) + +**Example - Current label generation:** +- Parameter: `gov.states.ma.dta.tcap.eaedc.standard_assistance.amount.additional.A` +- Generated label: "Massachusetts EAEDC standard assistance additional amount (A)" + +**Suggested improvement:** +- ℹ️ Uses custom enum variables - verify they have display labels +- Consider adding `breakdown_labels` for clarity + +--- + +### 140. `gov.states.ma.dta.tcap.eaedc.standard_assistance.amount.base` + +**Label:** Massachusetts EAEDC standard assistance base amount + +**Breakdown dimensions:** `['ma_eaedc_living_arrangement']` + +**Child parameters:** 8 + +**Dimension analysis:** +- `ma_eaedc_living_arrangement` → Variable/enum lookup (may or may not have labels) + +**Example - Current label generation:** +- Parameter: `gov.states.ma.dta.tcap.eaedc.standard_assistance.amount.base.A` +- Generated label: "Massachusetts EAEDC standard assistance base amount (A)" + +**Suggested improvement:** +- ℹ️ Uses custom enum variables - verify they have display labels +- Consider adding `breakdown_labels` for clarity + +--- + +### 141. `gov.states.nj.njdhs.tanf.maximum_benefit.main` + +**Label:** New Jersey TANF monthly maximum benefit + +**Breakdown dimensions:** `['range(1, 9)']` + +**Child parameters:** 8 + +**Dimension analysis:** +- `range(1, 9)` → **Raw numeric index (NO semantic label)** + +**Example - Current label generation:** +- Parameter: `gov.states.nj.njdhs.tanf.maximum_benefit.main.1` +- Generated label: "New Jersey TANF monthly maximum benefit (1)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ['[NEEDS: label for range(1, 9)]']` + +--- + +### 142. `gov.states.nj.njdhs.tanf.maximum_allowable_income.main` + +**Label:** New Jersey TANF monthly maximum allowable income + +**Breakdown dimensions:** `['range(1, 9)']` + +**Child parameters:** 8 + +**Dimension analysis:** +- `range(1, 9)` → **Raw numeric index (NO semantic label)** + +**Example - Current label generation:** +- Parameter: `gov.states.nj.njdhs.tanf.maximum_allowable_income.main.1` +- Generated label: "New Jersey TANF monthly maximum allowable income (1)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ['[NEEDS: label for range(1, 9)]']` + +--- + +### 143. `gov.states.il.dhs.aabd.payment.personal_allowance.bedfast` + +**Label:** Illinois AABD bedfast applicant personal allowance + +**Breakdown dimensions:** `['range(1,9)']` + +**Child parameters:** 8 + +**Dimension analysis:** +- `range(1,9)` → **Raw numeric index (NO semantic label)** + +**Example - Current label generation:** +- Parameter: `gov.states.il.dhs.aabd.payment.personal_allowance.bedfast.1` +- Generated label: "Illinois AABD bedfast applicant personal allowance (1)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ['[NEEDS: label for range(1,9)]']` + +--- + +### 144. `gov.states.il.dhs.aabd.payment.personal_allowance.active` + +**Label:** Illinois AABD active applicant personal allowance + +**Breakdown dimensions:** `['range(1,9)']` + +**Child parameters:** 8 + +**Dimension analysis:** +- `range(1,9)` → **Raw numeric index (NO semantic label)** + +**Example - Current label generation:** +- Parameter: `gov.states.il.dhs.aabd.payment.personal_allowance.active.1` +- Generated label: "Illinois AABD active applicant personal allowance (1)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ['[NEEDS: label for range(1,9)]']` + +--- + +### 145. `gov.usda.snap.income.deductions.excess_shelter_expense.cap` + +**Label:** SNAP maximum shelter deduction + +**Breakdown dimensions:** `['snap_region']` + +**Child parameters:** 7 + +**Dimension analysis:** +- `snap_region` → Enum lookup + +**Example - Current label generation:** +- Parameter: `gov.usda.snap.income.deductions.excess_shelter_expense.cap.CONTIGUOUS_US` +- Generated label: "SNAP maximum shelter deduction (CONTIGUOUS_US)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 146. `gov.states.ma.doer.liheap.hecs.amount.non_subsidized` + +**Label:** Massachusetts LIHEAP High Energy Cost Supplement payment for homeowners and non-subsidized housing applicants + +**Breakdown dimensions:** `['range(0,7)']` + +**Child parameters:** 7 + +**Dimension analysis:** +- `range(0,7)` → **Raw numeric index (NO semantic label)** + +**Example - Current label generation:** +- Parameter: `gov.states.ma.doer.liheap.hecs.amount.non_subsidized.0` +- Generated label: "Massachusetts LIHEAP High Energy Cost Supplement payment for homeowners and non-subsidized housing applicants (0)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ['[NEEDS: label for range(0,7)]']` + +--- + +### 147. `gov.states.ma.doer.liheap.hecs.amount.subsidized` + +**Label:** Massachusetts LIHEAP High Energy Cost Supplement payment for subsidized housing applicants + +**Breakdown dimensions:** `['range(0,7)']` + +**Child parameters:** 7 + +**Dimension analysis:** +- `range(0,7)` → **Raw numeric index (NO semantic label)** + +**Example - Current label generation:** +- Parameter: `gov.states.ma.doer.liheap.hecs.amount.subsidized.0` +- Generated label: "Massachusetts LIHEAP High Energy Cost Supplement payment for subsidized housing applicants (0)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ['[NEEDS: label for range(0,7)]']` + +--- + +### 148. `gov.states.ky.dcbs.ktap.benefit.standard_of_need` + +**Label:** Kentucky K-TAP standard of need + +**Breakdown dimensions:** `['range(1, 8)']` + +**Child parameters:** 7 + +**Dimension analysis:** +- `range(1, 8)` → **Raw numeric index (NO semantic label)** + +**Example - Current label generation:** +- Parameter: `gov.states.ky.dcbs.ktap.benefit.standard_of_need.1` +- Generated label: "Kentucky K-TAP standard of need (1)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ['[NEEDS: label for range(1, 8)]']` + +--- + +### 149. `gov.states.ky.dcbs.ktap.benefit.payment_maximum` + +**Label:** Kentucky K-TAP payment maximum + +**Breakdown dimensions:** `['range(1, 8)']` + +**Child parameters:** 7 + +**Dimension analysis:** +- `range(1, 8)` → **Raw numeric index (NO semantic label)** + +**Example - Current label generation:** +- Parameter: `gov.states.ky.dcbs.ktap.benefit.payment_maximum.1` +- Generated label: "Kentucky K-TAP payment maximum (1)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ['[NEEDS: label for range(1, 8)]']` + +--- + +### 150. `gov.irs.income.bracket.rates` + +**Label:** Individual income tax rates + +**Breakdown dimensions:** `['range(1, 8)']` + +**Child parameters:** 7 + +**Dimension analysis:** +- `range(1, 8)` → **Raw numeric index (NO semantic label)** + +**Example - Current label generation:** +- Parameter: `gov.irs.income.bracket.rates.1` +- Generated label: "Individual income tax rates (1)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ['[NEEDS: label for range(1, 8)]']` + +--- + +### 151. `gov.aca.family_tier_ratings.ny` + +**Label:** ACA premium family tier multipliers - NY + +**Breakdown dimensions:** `['slcsp_family_tier_category']` + +**Child parameters:** 6 + +**Dimension analysis:** +- `slcsp_family_tier_category` → Variable/enum lookup (may or may not have labels) + +**Example - Current label generation:** +- Parameter: `gov.aca.family_tier_ratings.ny.ONE_ADULT` +- Generated label: "ACA premium family tier multipliers - NY (ONE_ADULT)" + +**Suggested improvement:** +- ℹ️ Uses custom enum variables - verify they have display labels +- Consider adding `breakdown_labels` for clarity + +--- + +### 152. `gov.aca.family_tier_ratings.vt` + +**Label:** ACA premium family tier multipliers - VT + +**Breakdown dimensions:** `['slcsp_family_tier_category']` + +**Child parameters:** 6 + +**Dimension analysis:** +- `slcsp_family_tier_category` → Variable/enum lookup (may or may not have labels) + +**Example - Current label generation:** +- Parameter: `gov.aca.family_tier_ratings.vt.ONE_ADULT` +- Generated label: "ACA premium family tier multipliers - VT (ONE_ADULT)" + +**Suggested improvement:** +- ℹ️ Uses custom enum variables - verify they have display labels +- Consider adding `breakdown_labels` for clarity + +--- + +### 153. `gov.usda.wic.nutritional_risk` + +**Label:** WIC nutritional risk + +**Breakdown dimensions:** `['wic_category']` + +**Child parameters:** 6 + +**Dimension analysis:** +- `wic_category` → Variable/enum lookup (may or may not have labels) + +**Example - Current label generation:** +- Parameter: `gov.usda.wic.nutritional_risk.PREGNANT` +- Generated label: "WIC nutritional risk (PREGNANT)" + +**Suggested improvement:** +- ℹ️ Uses custom enum variables - verify they have display labels +- Consider adding `breakdown_labels` for clarity + +--- + +### 154. `gov.usda.wic.takeup` + +**Label:** WIC takeup rate + +**Breakdown dimensions:** `['wic_category']` + +**Child parameters:** 6 + +**Dimension analysis:** +- `wic_category` → Variable/enum lookup (may or may not have labels) + +**Example - Current label generation:** +- Parameter: `gov.usda.wic.takeup.PREGNANT` +- Generated label: "WIC takeup rate (PREGNANT)" + +**Suggested improvement:** +- ℹ️ Uses custom enum variables - verify they have display labels +- Consider adding `breakdown_labels` for clarity + +--- + +### 155. `gov.states.ma.doer.liheap.hecs.eligibility.prior_year_cost_threshold` + +**Label:** Massachusetts LIHEAP HECS payment threshold + +**Breakdown dimensions:** `['ma_liheap_heating_type']` + +**Child parameters:** 6 + +**Dimension analysis:** +- `ma_liheap_heating_type` → Variable/enum lookup (may or may not have labels) + +**Example - Current label generation:** +- Parameter: `gov.states.ma.doer.liheap.hecs.eligibility.prior_year_cost_threshold.HEATING_OIL_AND_PROPANE` +- Generated label: "Massachusetts LIHEAP HECS payment threshold (HEATING_OIL_AND_PROPANE)" + +**Suggested improvement:** +- ℹ️ Uses custom enum variables - verify they have display labels +- Consider adding `breakdown_labels` for clarity + +--- + +### 156. `gov.states.ny.otda.tanf.need_standard.main` + +**Label:** New York TANF monthly income limit + +**Breakdown dimensions:** `['range(1, 7)']` + +**Child parameters:** 6 + +**Dimension analysis:** +- `range(1, 7)` → **Raw numeric index (NO semantic label)** + +**Example - Current label generation:** +- Parameter: `gov.states.ny.otda.tanf.need_standard.main.1` +- Generated label: "New York TANF monthly income limit (1)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ['[NEEDS: label for range(1, 7)]']` + +--- + +### 157. `gov.states.ny.otda.tanf.grant_standard.main` + +**Label:** New York TANF monthly income limit + +**Breakdown dimensions:** `['range(1, 7)']` + +**Child parameters:** 6 + +**Dimension analysis:** +- `range(1, 7)` → **Raw numeric index (NO semantic label)** + +**Example - Current label generation:** +- Parameter: `gov.states.ny.otda.tanf.grant_standard.main.1` +- Generated label: "New York TANF monthly income limit (1)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ['[NEEDS: label for range(1, 7)]']` + +--- + +### 158. `calibration.gov.hhs.medicaid.totals.per_capita` + +**Label:** Per-capita Medicaid cost for other adults + +**Breakdown dimensions:** `['medicaid_group']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `medicaid_group` → Variable/enum lookup (may or may not have labels) + +**Example - Current label generation:** +- Parameter: `calibration.gov.hhs.medicaid.totals.per_capita.NON_EXPANSION_ADULT` +- Generated label: "Per-capita Medicaid cost for other adults (NON_EXPANSION_ADULT)" + +**Suggested improvement:** +- ℹ️ Uses custom enum variables - verify they have display labels +- Consider adding `breakdown_labels` for clarity + +--- + +### 159. `gov.territories.pr.tax.income.taxable_income.exemptions.personal` + +**Label:** Puerto Rico personal exemption amount + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.territories.pr.tax.income.taxable_income.exemptions.personal.SINGLE` +- Generated label: "Puerto Rico personal exemption amount (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 160. `gov.contrib.biden.budget_2025.capital_gains.income_threshold` + +**Label:** Threshold above which capital income is taxed as ordinary income + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.contrib.biden.budget_2025.capital_gains.income_threshold.JOINT` +- Generated label: "Threshold above which capital income is taxed as ordinary income (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 161. `gov.contrib.harris.lift.middle_class_tax_credit.phase_out.width` + +**Label:** Middle Class Tax Credit phase-out width + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.contrib.harris.lift.middle_class_tax_credit.phase_out.width.SINGLE` +- Generated label: "Middle Class Tax Credit phase-out width (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 162. `gov.contrib.harris.lift.middle_class_tax_credit.phase_out.start` + +**Label:** Middle Class Tax Credit phase-out start + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.contrib.harris.lift.middle_class_tax_credit.phase_out.start.SINGLE` +- Generated label: "Middle Class Tax Credit phase-out start (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 163. `gov.contrib.ubi_center.basic_income.agi_limit.amount` + +**Label:** Basic income AGI limit + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.contrib.ubi_center.basic_income.agi_limit.amount.SINGLE` +- Generated label: "Basic income AGI limit (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 164. `gov.contrib.ubi_center.basic_income.phase_out.end` + +**Label:** Basic income phase-out end + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.contrib.ubi_center.basic_income.phase_out.end.SINGLE` +- Generated label: "Basic income phase-out end (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 165. `gov.contrib.ubi_center.basic_income.phase_out.threshold` + +**Label:** Basic income phase-out threshold + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.contrib.ubi_center.basic_income.phase_out.threshold.SINGLE` +- Generated label: "Basic income phase-out threshold (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 166. `gov.contrib.ubi_center.flat_tax.exemption.agi` + +**Label:** Flat tax on AGI exemption amount + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.contrib.ubi_center.flat_tax.exemption.agi.HEAD_OF_HOUSEHOLD` +- Generated label: "Flat tax on AGI exemption amount (HEAD_OF_HOUSEHOLD)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 167. `gov.contrib.crfb.ss_credit.amount` + +**Label:** CRFB Social Security nonrefundable credit amount + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.contrib.crfb.ss_credit.amount.JOINT` +- Generated label: "CRFB Social Security nonrefundable credit amount (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 168. `gov.contrib.local.nyc.stc.income_limit` + +**Label:** NYC School Tax Credit Income Limit + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.contrib.local.nyc.stc.income_limit.SINGLE` +- Generated label: "NYC School Tax Credit Income Limit (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 169. `gov.contrib.states.ri.dependent_exemption.phaseout.threshold` + +**Label:** Rhode Island dependent exemption phaseout threshold + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.contrib.states.ri.dependent_exemption.phaseout.threshold.JOINT` +- Generated label: "Rhode Island dependent exemption phaseout threshold (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 170. `gov.contrib.states.ri.ctc.phaseout.threshold` + +**Label:** Rhode Island Child Tax Credit phaseout threshold + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.contrib.states.ri.ctc.phaseout.threshold.JOINT` +- Generated label: "Rhode Island Child Tax Credit phaseout threshold (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 171. `gov.contrib.states.dc.property_tax.income_limit.non_elderly` + +**Label:** DC property tax credit non-elderly income limit + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.contrib.states.dc.property_tax.income_limit.non_elderly.JOINT` +- Generated label: "DC property tax credit non-elderly income limit (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 172. `gov.contrib.states.dc.property_tax.income_limit.elderly` + +**Label:** DC property tax credit elderly income limit + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.contrib.states.dc.property_tax.income_limit.elderly.JOINT` +- Generated label: "DC property tax credit elderly income limit (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 173. `gov.contrib.states.dc.property_tax.amount` + +**Label:** DC property tax credit amount + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.contrib.states.dc.property_tax.amount.JOINT` +- Generated label: "DC property tax credit amount (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 174. `gov.contrib.states.de.dependent_credit.phaseout.threshold` + +**Label:** Delaware dependent credit phaseout threshold + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.contrib.states.de.dependent_credit.phaseout.threshold.JOINT` +- Generated label: "Delaware dependent credit phaseout threshold (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 175. `gov.contrib.dc_kccatc.phase_out.threshold` + +**Label:** DC KCCATC phase-out threshold + +**Breakdown dimensions:** `filing_status` + +**Child parameters:** 5 + +**Dimension analysis:** +- `f` → Variable/enum lookup (may or may not have labels) +- `i` → Variable/enum lookup (may or may not have labels) +- `l` → Variable/enum lookup (may or may not have labels) +- `i` → Variable/enum lookup (may or may not have labels) +- `n` → Variable/enum lookup (may or may not have labels) +- `g` → Variable/enum lookup (may or may not have labels) +- `_` → Variable/enum lookup (may or may not have labels) +- `s` → Variable/enum lookup (may or may not have labels) +- `t` → Variable/enum lookup (may or may not have labels) +- `a` → Variable/enum lookup (may or may not have labels) +- `t` → Variable/enum lookup (may or may not have labels) +- `u` → Variable/enum lookup (may or may not have labels) +- `s` → Variable/enum lookup (may or may not have labels) + +**Example - Current label generation:** +- Parameter: `gov.contrib.dc_kccatc.phase_out.threshold.SINGLE` +- Generated label: "DC KCCATC phase-out threshold (SINGLE)" + +**Suggested improvement:** +- ℹ️ Uses custom enum variables - verify they have display labels +- Consider adding `breakdown_labels` for clarity + +--- + +### 176. `gov.contrib.congress.hawley.awra.phase_out.start` + +**Label:** American Worker Rebate Act phase-out start + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.contrib.congress.hawley.awra.phase_out.start.SINGLE` +- Generated label: "American Worker Rebate Act phase-out start (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 177. `gov.contrib.congress.tlaib.end_child_poverty_act.filer_credit.phase_out.start` + +**Label:** End Child Poverty Act filer credit phase-out start + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.contrib.congress.tlaib.end_child_poverty_act.filer_credit.phase_out.start.JOINT` +- Generated label: "End Child Poverty Act filer credit phase-out start (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 178. `gov.contrib.congress.tlaib.end_child_poverty_act.filer_credit.amount` + +**Label:** End Child Poverty Act filer credit amount + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.contrib.congress.tlaib.end_child_poverty_act.filer_credit.amount.JOINT` +- Generated label: "End Child Poverty Act filer credit amount (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 179. `gov.contrib.congress.tlaib.economic_dignity_for_all_agenda.end_child_poverty_act.filer_credit.phase_out.start` + +**Label:** Filer credit phase-out start + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.contrib.congress.tlaib.economic_dignity_for_all_agenda.end_child_poverty_act.filer_credit.phase_out.start.JOINT` +- Generated label: "Filer credit phase-out start (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 180. `gov.contrib.congress.tlaib.economic_dignity_for_all_agenda.end_child_poverty_act.filer_credit.amount` + +**Label:** Filer credit amount + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.contrib.congress.tlaib.economic_dignity_for_all_agenda.end_child_poverty_act.filer_credit.amount.JOINT` +- Generated label: "Filer credit amount (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 181. `gov.contrib.congress.afa.ctc.phase_out.threshold.lower` + +**Label:** AFA CTC phase-out lower threshold + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.contrib.congress.afa.ctc.phase_out.threshold.lower.SINGLE` +- Generated label: "AFA CTC phase-out lower threshold (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 182. `gov.contrib.congress.afa.ctc.phase_out.threshold.higher` + +**Label:** AFA CTC phase-out higher threshold + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.contrib.congress.afa.ctc.phase_out.threshold.higher.SINGLE` +- Generated label: "AFA CTC phase-out higher threshold (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 183. `gov.local.ca.riv.general_relief.needs_standards.personal_needs` + +**Label:** Riverside County General Relief personal needs standard + +**Breakdown dimensions:** `['range(1,6)']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `range(1,6)` → **Raw numeric index (NO semantic label)** + +**Example - Current label generation:** +- Parameter: `gov.local.ca.riv.general_relief.needs_standards.personal_needs.1` +- Generated label: "Riverside County General Relief personal needs standard (1)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ['[NEEDS: label for range(1,6)]']` + +--- + +### 184. `gov.local.ca.riv.general_relief.needs_standards.food` + +**Label:** Riverside County General Relief food needs standard + +**Breakdown dimensions:** `['range(1,6)']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `range(1,6)` → **Raw numeric index (NO semantic label)** + +**Example - Current label generation:** +- Parameter: `gov.local.ca.riv.general_relief.needs_standards.food.1` +- Generated label: "Riverside County General Relief food needs standard (1)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ['[NEEDS: label for range(1,6)]']` + +--- + +### 185. `gov.local.ca.riv.general_relief.needs_standards.housing` + +**Label:** Riverside County General Relief housing needs standard + +**Breakdown dimensions:** `['range(1,6)']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `range(1,6)` → **Raw numeric index (NO semantic label)** + +**Example - Current label generation:** +- Parameter: `gov.local.ca.riv.general_relief.needs_standards.housing.1` +- Generated label: "Riverside County General Relief housing needs standard (1)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ['[NEEDS: label for range(1,6)]']` + +--- + +### 186. `gov.local.ny.nyc.tax.income.credits.school.fixed.amount` + +**Label:** NYC School Tax Credit Fixed Amount + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.local.ny.nyc.tax.income.credits.school.fixed.amount.SINGLE` +- Generated label: "NYC School Tax Credit Fixed Amount (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 187. `gov.states.vt.tax.income.agi.retirement_income_exemption.social_security.reduction.end` + +**Label:** Vermont social security retirement income exemption income threshold + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.vt.tax.income.agi.retirement_income_exemption.social_security.reduction.end.JOINT` +- Generated label: "Vermont social security retirement income exemption income threshold (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 188. `gov.states.vt.tax.income.agi.retirement_income_exemption.social_security.reduction.start` + +**Label:** Vermont social security retirement income exemption reduction threshold + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.vt.tax.income.agi.retirement_income_exemption.social_security.reduction.start.JOINT` +- Generated label: "Vermont social security retirement income exemption reduction threshold (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 189. `gov.states.vt.tax.income.agi.retirement_income_exemption.csrs.reduction.end` + +**Label:** Vermont CSRS and military retirement income exemption income threshold + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.vt.tax.income.agi.retirement_income_exemption.csrs.reduction.end.JOINT` +- Generated label: "Vermont CSRS and military retirement income exemption income threshold (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 190. `gov.states.vt.tax.income.agi.retirement_income_exemption.csrs.reduction.start` + +**Label:** Vermont CSRS and military retirement income exemption reduction threshold + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.vt.tax.income.agi.retirement_income_exemption.csrs.reduction.start.JOINT` +- Generated label: "Vermont CSRS and military retirement income exemption reduction threshold (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 191. `gov.states.vt.tax.income.deductions.standard.base` + +**Label:** Vermont standard deduction + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.vt.tax.income.deductions.standard.base.JOINT` +- Generated label: "Vermont standard deduction (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 192. `gov.states.vt.tax.income.credits.cdcc.low_income.income_threshold` + +**Label:** Vermont low-income CDCC AGI limit + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.vt.tax.income.credits.cdcc.low_income.income_threshold.JOINT` +- Generated label: "Vermont low-income CDCC AGI limit (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 193. `gov.states.va.tax.income.subtractions.age_deduction.threshold` + +**Label:** Adjusted federal AGI threshold for VA taxpayers eligible for an age deduction + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.va.tax.income.subtractions.age_deduction.threshold.JOINT` +- Generated label: "Adjusted federal AGI threshold for VA taxpayers eligible for an age deduction (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 194. `gov.states.va.tax.income.deductions.itemized.applicable_amount` + +**Label:** Virginia itemized deduction applicable amount + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.va.tax.income.deductions.itemized.applicable_amount.JOINT` +- Generated label: "Virginia itemized deduction applicable amount (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 195. `gov.states.va.tax.income.deductions.standard` + +**Label:** Virginia standard deduction + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.va.tax.income.deductions.standard.JOINT` +- Generated label: "Virginia standard deduction (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 196. `gov.states.va.tax.income.rebate.amount` + +**Label:** Virginia rebate amount + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.va.tax.income.rebate.amount.JOINT` +- Generated label: "Virginia rebate amount (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 197. `gov.states.va.tax.income.filing_requirement` + +**Label:** Virginia filing requirement + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.va.tax.income.filing_requirement.JOINT` +- Generated label: "Virginia filing requirement (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 198. `gov.states.ut.tax.income.credits.ctc.reduction.start` + +**Label:** Utah child tax credit reduction start + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.ut.tax.income.credits.ctc.reduction.start.SINGLE` +- Generated label: "Utah child tax credit reduction start (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 199. `gov.states.ga.tax.income.deductions.standard.amount` + +**Label:** Georgia standard deduction amount + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.ga.tax.income.deductions.standard.amount.JOINT` +- Generated label: "Georgia standard deduction amount (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 200. `gov.states.ga.tax.income.exemptions.personal.amount` + +**Label:** Georgia personal exemption amount + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.ga.tax.income.exemptions.personal.amount.JOINT` +- Generated label: "Georgia personal exemption amount (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 201. `gov.states.ga.tax.income.credits.surplus_tax_rebate.amount` + +**Label:** Georgia surplus tax rebate amount + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.ga.tax.income.credits.surplus_tax_rebate.amount.JOINT` +- Generated label: "Georgia surplus tax rebate amount (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 202. `gov.states.ms.tax.income.deductions.standard.amount` + +**Label:** Mississippi standard deduction + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.ms.tax.income.deductions.standard.amount.SINGLE` +- Generated label: "Mississippi standard deduction (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 203. `gov.states.ms.tax.income.exemptions.regular.amount` + +**Label:** Mississippi exemption + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.ms.tax.income.exemptions.regular.amount.SINGLE` +- Generated label: "Mississippi exemption (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 204. `gov.states.ms.tax.income.credits.charitable_contribution.cap` + +**Label:** Mississippi credit for contributions to foster organizations cap + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.ms.tax.income.credits.charitable_contribution.cap.JOINT` +- Generated label: "Mississippi credit for contributions to foster organizations cap (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 205. `gov.states.mt.tax.income.deductions.itemized.federal_income_tax.cap` + +**Label:** Montana federal income tax deduction cap + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.mt.tax.income.deductions.itemized.federal_income_tax.cap.JOINT` +- Generated label: "Montana federal income tax deduction cap (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 206. `gov.states.mt.tax.income.deductions.standard.floor` + +**Label:** Montana minimum standard deduction + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.mt.tax.income.deductions.standard.floor.JOINT` +- Generated label: "Montana minimum standard deduction (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 207. `gov.states.mt.tax.income.deductions.standard.cap` + +**Label:** Montana standard deduction max amount + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.mt.tax.income.deductions.standard.cap.JOINT` +- Generated label: "Montana standard deduction max amount (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 208. `gov.states.mt.tax.income.social_security.amount.upper` + +**Label:** Montana social security benefits amount + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.mt.tax.income.social_security.amount.upper.SINGLE` +- Generated label: "Montana social security benefits amount (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 209. `gov.states.mt.tax.income.social_security.amount.lower` + +**Label:** Montana social security benefits amount + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.mt.tax.income.social_security.amount.lower.SINGLE` +- Generated label: "Montana social security benefits amount (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 210. `gov.states.mt.tax.income.main.capital_gains.rates.main` + +**Label:** Montana capital gains tax rate when nonqualified income exceeds threshold + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.mt.tax.income.main.capital_gains.rates.main.JOINT` +- Generated label: "Montana capital gains tax rate when nonqualified income exceeds threshold (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 211. `gov.states.mt.tax.income.main.capital_gains.threshold` + +**Label:** Montana capital gains tax threshold + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.mt.tax.income.main.capital_gains.threshold.JOINT` +- Generated label: "Montana capital gains tax threshold (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 212. `gov.states.mt.tax.income.exemptions.interest.cap` + +**Label:** Montana senior interest income exclusion cap + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.mt.tax.income.exemptions.interest.cap.SINGLE` +- Generated label: "Montana senior interest income exclusion cap (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 213. `gov.states.mt.tax.income.credits.rebate.amount` + +**Label:** Montana income tax rebate amount + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.mt.tax.income.credits.rebate.amount.SINGLE` +- Generated label: "Montana income tax rebate amount (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 214. `gov.states.mo.tax.income.deductions.federal_income_tax.cap` + +**Label:** Missouri federal income tax deduction caps + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.mo.tax.income.deductions.federal_income_tax.cap.SINGLE` +- Generated label: "Missouri federal income tax deduction caps (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 215. `gov.states.mo.tax.income.deductions.mo_private_pension_deduction_allowance` + +**Label:** Missouri private pension deduction allowance + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.mo.tax.income.deductions.mo_private_pension_deduction_allowance.SINGLE` +- Generated label: "Missouri private pension deduction allowance (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 216. `gov.states.mo.tax.income.deductions.social_security_and_public_pension.mo_ss_or_ssd_deduction_allowance` + +**Label:** Missouri social security or social security disability deduction allowance + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.mo.tax.income.deductions.social_security_and_public_pension.mo_ss_or_ssd_deduction_allowance.SINGLE` +- Generated label: "Missouri social security or social security disability deduction allowance (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 217. `gov.states.mo.tax.income.deductions.social_security_and_public_pension.mo_public_pension_deduction_allowance` + +**Label:** Missouri Public Pension Deduction Allowance + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.mo.tax.income.deductions.social_security_and_public_pension.mo_public_pension_deduction_allowance.SINGLE` +- Generated label: "Missouri Public Pension Deduction Allowance (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 218. `gov.states.mo.tax.income.deductions.social_security_and_public_pension.mo_ss_or_ssdi_exemption_threshold` + +**Label:** Missouri social security or social security disability income exemption threshold + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.mo.tax.income.deductions.social_security_and_public_pension.mo_ss_or_ssdi_exemption_threshold.SINGLE` +- Generated label: "Missouri social security or social security disability income exemption threshold (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 219. `gov.states.ma.tax.income.deductions.rent.cap` + +**Label:** Massachusetts rental deduction cap. + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.ma.tax.income.deductions.rent.cap.SINGLE` +- Generated label: "Massachusetts rental deduction cap. (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 220. `gov.states.ma.tax.income.exempt_status.limit.personal_exemption_added` + +**Label:** Massachusetts income tax exemption limit includes personal exemptions + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.ma.tax.income.exempt_status.limit.personal_exemption_added.SINGLE` +- Generated label: "Massachusetts income tax exemption limit includes personal exemptions (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 221. `gov.states.ma.tax.income.exempt_status.limit.base` + +**Label:** AGI addition to limit to be exempt from Massachusetts income tax. + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.ma.tax.income.exempt_status.limit.base.SINGLE` +- Generated label: "AGI addition to limit to be exempt from Massachusetts income tax. (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 222. `gov.states.ma.tax.income.exemptions.interest.amount` + +**Label:** Massachusetts interest exemption + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.ma.tax.income.exemptions.interest.amount.SINGLE` +- Generated label: "Massachusetts interest exemption (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 223. `gov.states.ma.tax.income.exemptions.personal` + +**Label:** Massachusetts income tax personal exemption + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.ma.tax.income.exemptions.personal.SINGLE` +- Generated label: "Massachusetts income tax personal exemption (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 224. `gov.states.ma.tax.income.credits.senior_circuit_breaker.eligibility.max_income` + +**Label:** Massachusetts Senior Circuit Breaker maximum income + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.ma.tax.income.credits.senior_circuit_breaker.eligibility.max_income.SINGLE` +- Generated label: "Massachusetts Senior Circuit Breaker maximum income (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 225. `gov.states.al.tax.income.deductions.standard.amount.max` + +**Label:** Alabama standard deduction maximum amount + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.al.tax.income.deductions.standard.amount.max.JOINT` +- Generated label: "Alabama standard deduction maximum amount (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 226. `gov.states.al.tax.income.deductions.standard.amount.min` + +**Label:** Alabama standard deduction minimum amount + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.al.tax.income.deductions.standard.amount.min.JOINT` +- Generated label: "Alabama standard deduction minimum amount (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 227. `gov.states.al.tax.income.deductions.standard.phase_out.increment` + +**Label:** Alabama standard deduction phase-out increment + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.al.tax.income.deductions.standard.phase_out.increment.JOINT` +- Generated label: "Alabama standard deduction phase-out increment (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 228. `gov.states.al.tax.income.deductions.standard.phase_out.rate` + +**Label:** Alabama standard deduction phase-out rate + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.al.tax.income.deductions.standard.phase_out.rate.JOINT` +- Generated label: "Alabama standard deduction phase-out rate (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 229. `gov.states.al.tax.income.deductions.standard.phase_out.threshold` + +**Label:** Alabama standard deduction phase-out threshold + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.al.tax.income.deductions.standard.phase_out.threshold.JOINT` +- Generated label: "Alabama standard deduction phase-out threshold (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 230. `gov.states.al.tax.income.exemptions.personal` + +**Label:** Alabama personal exemption amount + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.al.tax.income.exemptions.personal.SINGLE` +- Generated label: "Alabama personal exemption amount (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 231. `gov.states.nh.tax.income.exemptions.amount.base` + +**Label:** New Hampshire base exemption amount + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.nh.tax.income.exemptions.amount.base.SINGLE` +- Generated label: "New Hampshire base exemption amount (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 232. `gov.states.mn.tax.income.subtractions.education_savings.cap` + +**Label:** Minnesota 529 plan contribution subtraction maximum + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.mn.tax.income.subtractions.education_savings.cap.JOINT` +- Generated label: "Minnesota 529 plan contribution subtraction maximum (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 233. `gov.states.mn.tax.income.subtractions.elderly_disabled.agi_offset_base` + +**Label:** Minnesota base AGI offset in elderly/disabled subtraction calculations + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.mn.tax.income.subtractions.elderly_disabled.agi_offset_base.JOINT` +- Generated label: "Minnesota base AGI offset in elderly/disabled subtraction calculations (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 234. `gov.states.mn.tax.income.subtractions.elderly_disabled.base_amount` + +**Label:** Minnesota base amount in elderly/disabled subtraction calculations + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.mn.tax.income.subtractions.elderly_disabled.base_amount.JOINT` +- Generated label: "Minnesota base amount in elderly/disabled subtraction calculations (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 235. `gov.states.mn.tax.income.subtractions.social_security.alternative_amount` + +**Label:** Minnesota social security subtraction alternative subtraction amount + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.mn.tax.income.subtractions.social_security.alternative_amount.JOINT` +- Generated label: "Minnesota social security subtraction alternative subtraction amount (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 236. `gov.states.mn.tax.income.subtractions.social_security.reduction.start` + +**Label:** Minnesota social security subtraction reduction start + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.mn.tax.income.subtractions.social_security.reduction.start.JOINT` +- Generated label: "Minnesota social security subtraction reduction start (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 237. `gov.states.mn.tax.income.subtractions.social_security.income_amount` + +**Label:** Minnesota social security subtraction income amount + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.mn.tax.income.subtractions.social_security.income_amount.JOINT` +- Generated label: "Minnesota social security subtraction income amount (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 238. `gov.states.mn.tax.income.subtractions.pension_income.reduction.start` + +**Label:** Minnesota public pension income subtraction agi threshold + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.mn.tax.income.subtractions.pension_income.reduction.start.JOINT` +- Generated label: "Minnesota public pension income subtraction agi threshold (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 239. `gov.states.mn.tax.income.subtractions.pension_income.cap` + +**Label:** Minnesota public pension income subtraction cap + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.mn.tax.income.subtractions.pension_income.cap.JOINT` +- Generated label: "Minnesota public pension income subtraction cap (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 240. `gov.states.mn.tax.income.amt.fractional_income_threshold` + +**Label:** Minnesota fractional excess income threshold + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.mn.tax.income.amt.fractional_income_threshold.JOINT` +- Generated label: "Minnesota fractional excess income threshold (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 241. `gov.states.mn.tax.income.amt.income_threshold` + +**Label:** Minnesota AMT taxable income threshold + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.mn.tax.income.amt.income_threshold.JOINT` +- Generated label: "Minnesota AMT taxable income threshold (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 242. `gov.states.mn.tax.income.deductions.itemized.reduction.agi_threshold.high` + +**Label:** Minnesota itemized deduction higher reduction AGI threshold + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.mn.tax.income.deductions.itemized.reduction.agi_threshold.high.JOINT` +- Generated label: "Minnesota itemized deduction higher reduction AGI threshold (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 243. `gov.states.mn.tax.income.deductions.itemized.reduction.agi_threshold.low` + +**Label:** Minnesota itemized deduction lower reduction AGI threshold + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.mn.tax.income.deductions.itemized.reduction.agi_threshold.low.JOINT` +- Generated label: "Minnesota itemized deduction lower reduction AGI threshold (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 244. `gov.states.mn.tax.income.deductions.standard.extra` + +**Label:** Minnesota extra standard deduction amount for each aged/blind head/spouse + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.mn.tax.income.deductions.standard.extra.JOINT` +- Generated label: "Minnesota extra standard deduction amount for each aged/blind head/spouse (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 245. `gov.states.mn.tax.income.deductions.standard.reduction.agi_threshold.high` + +**Label:** Minnesota standard deduction higher reduction AGI threshold + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.mn.tax.income.deductions.standard.reduction.agi_threshold.high.JOINT` +- Generated label: "Minnesota standard deduction higher reduction AGI threshold (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 246. `gov.states.mn.tax.income.deductions.standard.reduction.agi_threshold.low` + +**Label:** Minnesota standard deduction lower reduction AGI threshold + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.mn.tax.income.deductions.standard.reduction.agi_threshold.low.JOINT` +- Generated label: "Minnesota standard deduction lower reduction AGI threshold (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 247. `gov.states.mn.tax.income.deductions.standard.base` + +**Label:** Minnesota base standard deduction amount + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.mn.tax.income.deductions.standard.base.JOINT` +- Generated label: "Minnesota base standard deduction amount (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 248. `gov.states.mn.tax.income.exemptions.agi_threshold` + +**Label:** federal adjusted gross income threshold above which Minnesota exemptions are limited + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.mn.tax.income.exemptions.agi_threshold.JOINT` +- Generated label: "federal adjusted gross income threshold above which Minnesota exemptions are limited (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 249. `gov.states.mn.tax.income.exemptions.agi_step_size` + +**Label:** federal adjusted gross income step size used to limit Minnesota exemptions + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.mn.tax.income.exemptions.agi_step_size.JOINT` +- Generated label: "federal adjusted gross income step size used to limit Minnesota exemptions (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 250. `gov.states.mi.tax.income.deductions.standard.tier_three.amount` + +**Label:** Michigan tier three standard deduction amount + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.mi.tax.income.deductions.standard.tier_three.amount.SINGLE` +- Generated label: "Michigan tier three standard deduction amount (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 251. `gov.states.mi.tax.income.deductions.standard.tier_two.amount.base` + +**Label:** Michigan tier two standard deduction base + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.mi.tax.income.deductions.standard.tier_two.amount.base.SINGLE` +- Generated label: "Michigan tier two standard deduction base (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 252. `gov.states.mi.tax.income.deductions.interest_dividends_capital_gains.amount` + +**Label:** Michigan interest, dividends, and capital gains deduction amount + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.mi.tax.income.deductions.interest_dividends_capital_gains.amount.SINGLE` +- Generated label: "Michigan interest, dividends, and capital gains deduction amount (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 253. `gov.states.mi.tax.income.deductions.retirement_benefits.tier_three.ss_exempt.retired.both_qualifying_amount` + +**Label:** Michigan tier three retirement and pension deduction both qualifying seniors + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.mi.tax.income.deductions.retirement_benefits.tier_three.ss_exempt.retired.both_qualifying_amount.SINGLE` +- Generated label: "Michigan tier three retirement and pension deduction both qualifying seniors (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 254. `gov.states.mi.tax.income.deductions.retirement_benefits.tier_three.ss_exempt.retired.single_qualifying_amount` + +**Label:** Michigan tier three retirement and pension deduction single qualifying senior amount + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.mi.tax.income.deductions.retirement_benefits.tier_three.ss_exempt.retired.single_qualifying_amount.SINGLE` +- Generated label: "Michigan tier three retirement and pension deduction single qualifying senior amount (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 255. `gov.states.mi.tax.income.deductions.retirement_benefits.tier_one.amount` + +**Label:** Michigan tier one retirement and pension benefits amount + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.mi.tax.income.deductions.retirement_benefits.tier_one.amount.SINGLE` +- Generated label: "Michigan tier one retirement and pension benefits amount (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 256. `gov.states.mi.tax.income.exemptions.dependent_on_other_return` + +**Label:** Michigan dependent on other return exemption amount + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.mi.tax.income.exemptions.dependent_on_other_return.SINGLE` +- Generated label: "Michigan dependent on other return exemption amount (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 257. `gov.states.ok.tax.income.deductions.standard.amount` + +**Label:** Oklahoma standard deduction amount + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.ok.tax.income.deductions.standard.amount.JOINT` +- Generated label: "Oklahoma standard deduction amount (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 258. `gov.states.ok.tax.income.exemptions.special_agi_limit` + +**Label:** Oklahoma special exemption federal AGI limit + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.ok.tax.income.exemptions.special_agi_limit.JOINT` +- Generated label: "Oklahoma special exemption federal AGI limit (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 259. `gov.states.in.tax.income.deductions.homeowners_property_tax.max` + +**Label:** Indiana max homeowner's property tax deduction + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.in.tax.income.deductions.homeowners_property_tax.max.SINGLE` +- Generated label: "Indiana max homeowner's property tax deduction (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 260. `gov.states.in.tax.income.deductions.renters.max` + +**Label:** Indiana max renter's deduction + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.in.tax.income.deductions.renters.max.SINGLE` +- Generated label: "Indiana max renter's deduction (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 261. `gov.states.in.tax.income.deductions.unemployment_compensation.agi_reduction` + +**Label:** Indiana AGI reduction for calculation of maximum unemployment compensation deduction + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.in.tax.income.deductions.unemployment_compensation.agi_reduction.SINGLE` +- Generated label: "Indiana AGI reduction for calculation of maximum unemployment compensation deduction (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 262. `gov.states.in.tax.income.exemptions.aged_low_agi.threshold` + +**Label:** Indiana low AGI aged exemption income limit + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.in.tax.income.exemptions.aged_low_agi.threshold.SINGLE` +- Generated label: "Indiana low AGI aged exemption income limit (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 263. `gov.states.co.tax.income.subtractions.collegeinvest_contribution.max_amount` + +**Label:** Colorado CollegeInvest contribution subtraction max amount + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.co.tax.income.subtractions.collegeinvest_contribution.max_amount.HEAD_OF_HOUSEHOLD` +- Generated label: "Colorado CollegeInvest contribution subtraction max amount (HEAD_OF_HOUSEHOLD)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 264. `gov.states.co.tax.income.subtractions.able_contribution.cap` + +**Label:** Colorado ABLE contribution subtraction cap + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.co.tax.income.subtractions.able_contribution.cap.JOINT` +- Generated label: "Colorado ABLE contribution subtraction cap (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 265. `gov.states.co.tax.income.additions.federal_deductions.exemption` + +**Label:** Colorado itemized or standard deduction add back exemption + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.co.tax.income.additions.federal_deductions.exemption.JOINT` +- Generated label: "Colorado itemized or standard deduction add back exemption (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 266. `gov.states.co.tax.income.additions.qualified_business_income_deduction.agi_threshold` + +**Label:** Colorado qualified business income deduction addback AGI threshold + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.co.tax.income.additions.qualified_business_income_deduction.agi_threshold.SINGLE` +- Generated label: "Colorado qualified business income deduction addback AGI threshold (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 267. `gov.states.co.tax.income.credits.income_qualified_senior_housing.reduction.max_amount` + +**Label:** Colorado income qualified senior housing income tax credit max amount + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.co.tax.income.credits.income_qualified_senior_housing.reduction.max_amount.SINGLE` +- Generated label: "Colorado income qualified senior housing income tax credit max amount (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 268. `gov.states.co.tax.income.credits.income_qualified_senior_housing.reduction.amount` + +**Label:** Colorado income qualified senior housing income tax credit reduction amount + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.co.tax.income.credits.income_qualified_senior_housing.reduction.amount.SINGLE` +- Generated label: "Colorado income qualified senior housing income tax credit reduction amount (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 269. `gov.states.co.tax.income.credits.sales_tax_refund.amount.multiplier` + +**Label:** Colorado sales tax refund filing status multiplier + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.co.tax.income.credits.sales_tax_refund.amount.multiplier.HEAD_OF_HOUSEHOLD` +- Generated label: "Colorado sales tax refund filing status multiplier (HEAD_OF_HOUSEHOLD)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 270. `gov.states.co.tax.income.credits.family_affordability.reduction.threshold` + +**Label:** Colorado family affordability tax credit income-based reduction start + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.co.tax.income.credits.family_affordability.reduction.threshold.SINGLE` +- Generated label: "Colorado family affordability tax credit income-based reduction start (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 271. `gov.states.ca.tax.income.amt.exemption.amti.threshold.upper` + +**Label:** California alternative minimum tax exemption upper AMTI threshold + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.ca.tax.income.amt.exemption.amti.threshold.upper.JOINT` +- Generated label: "California alternative minimum tax exemption upper AMTI threshold (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 272. `gov.states.ca.tax.income.amt.exemption.amti.threshold.lower` + +**Label:** California alternative minimum tax exemption lower AMTI threshold + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.ca.tax.income.amt.exemption.amti.threshold.lower.JOINT` +- Generated label: "California alternative minimum tax exemption lower AMTI threshold (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 273. `gov.states.ca.tax.income.amt.exemption.amount` + +**Label:** California exemption amount + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.ca.tax.income.amt.exemption.amount.JOINT` +- Generated label: "California exemption amount (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 274. `gov.states.ca.tax.income.deductions.itemized.limit.agi_threshold` + +**Label:** California itemized deduction limitation threshold + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.ca.tax.income.deductions.itemized.limit.agi_threshold.JOINT` +- Generated label: "California itemized deduction limitation threshold (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 275. `gov.states.ca.tax.income.deductions.standard.amount` + +**Label:** California standard deduction + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.ca.tax.income.deductions.standard.amount.JOINT` +- Generated label: "California standard deduction (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 276. `gov.states.ca.tax.income.exemptions.phase_out.increment` + +**Label:** California exemption phase out increment + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.ca.tax.income.exemptions.phase_out.increment.SINGLE` +- Generated label: "California exemption phase out increment (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 277. `gov.states.ca.tax.income.exemptions.phase_out.start` + +**Label:** California exemption phase out start + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.ca.tax.income.exemptions.phase_out.start.SINGLE` +- Generated label: "California exemption phase out start (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 278. `gov.states.ca.tax.income.exemptions.personal_scale` + +**Label:** California income personal exemption scaling factor + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.ca.tax.income.exemptions.personal_scale.SINGLE` +- Generated label: "California income personal exemption scaling factor (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 279. `gov.states.ca.tax.income.credits.renter.amount` + +**Label:** California renter tax credit amount + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.ca.tax.income.credits.renter.amount.SINGLE` +- Generated label: "California renter tax credit amount (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 280. `gov.states.ca.tax.income.credits.renter.income_cap` + +**Label:** California renter tax credit AGI cap + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.ca.tax.income.credits.renter.income_cap.SINGLE` +- Generated label: "California renter tax credit AGI cap (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 281. `gov.states.ia.tax.income.alternative_minimum_tax.threshold` + +**Label:** Iowa alternative minimum tax threshold amount + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.ia.tax.income.alternative_minimum_tax.threshold.JOINT` +- Generated label: "Iowa alternative minimum tax threshold amount (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 282. `gov.states.ia.tax.income.alternative_minimum_tax.exemption` + +**Label:** Iowa alternative minimum tax exemption amount + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.ia.tax.income.alternative_minimum_tax.exemption.JOINT` +- Generated label: "Iowa alternative minimum tax exemption amount (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 283. `gov.states.ia.tax.income.deductions.standard.amount` + +**Label:** Iowa standard deduction amount + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.ia.tax.income.deductions.standard.amount.JOINT` +- Generated label: "Iowa standard deduction amount (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 284. `gov.states.ia.tax.income.pension_exclusion.maximum_amount` + +**Label:** Iowa maximum pension exclusion amount + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.ia.tax.income.pension_exclusion.maximum_amount.JOINT` +- Generated label: "Iowa maximum pension exclusion amount (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 285. `gov.states.ia.tax.income.reportable_social_security.deduction` + +**Label:** Iowa reportable social security income deduction + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.ia.tax.income.reportable_social_security.deduction.JOINT` +- Generated label: "Iowa reportable social security income deduction (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 286. `gov.states.ct.tax.income.subtractions.tuition.cap` + +**Label:** Connecticut state tuition subtraction max amount + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.ct.tax.income.subtractions.tuition.cap.SINGLE` +- Generated label: "Connecticut state tuition subtraction max amount (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 287. `gov.states.ct.tax.income.subtractions.social_security.reduction_threshold` + +**Label:** Connecticut social security subtraction reduction threshold + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.ct.tax.income.subtractions.social_security.reduction_threshold.SINGLE` +- Generated label: "Connecticut social security subtraction reduction threshold (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 288. `gov.states.ct.tax.income.add_back.increment` + +**Label:** Connecticut income tax phase out brackets + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.ct.tax.income.add_back.increment.SINGLE` +- Generated label: "Connecticut income tax phase out brackets (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 289. `gov.states.ct.tax.income.add_back.max_amount` + +**Label:** Connecticut income tax phase out max amount + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.ct.tax.income.add_back.max_amount.SINGLE` +- Generated label: "Connecticut income tax phase out max amount (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 290. `gov.states.ct.tax.income.add_back.amount` + +**Label:** Connecticut bottom income tax phase out amount + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.ct.tax.income.add_back.amount.SINGLE` +- Generated label: "Connecticut bottom income tax phase out amount (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 291. `gov.states.ct.tax.income.add_back.start` + +**Label:** Connecticut income tax phase out start + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.ct.tax.income.add_back.start.SINGLE` +- Generated label: "Connecticut income tax phase out start (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 292. `gov.states.ct.tax.income.rebate.reduction.start` + +**Label:** Connecticut child tax rebate reduction start + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.ct.tax.income.rebate.reduction.start.SINGLE` +- Generated label: "Connecticut child tax rebate reduction start (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 293. `gov.states.ct.tax.income.exemptions.personal.max_amount` + +**Label:** Connecticut personal exemption max amount + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.ct.tax.income.exemptions.personal.max_amount.SINGLE` +- Generated label: "Connecticut personal exemption max amount (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 294. `gov.states.ct.tax.income.exemptions.personal.reduction.start` + +**Label:** Connecticut personal exemption reduction start + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.ct.tax.income.exemptions.personal.reduction.start.SINGLE` +- Generated label: "Connecticut personal exemption reduction start (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 295. `gov.states.ct.tax.income.credits.property_tax.reduction.increment` + +**Label:** Connecticut property tax reduction increment + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.ct.tax.income.credits.property_tax.reduction.increment.SINGLE` +- Generated label: "Connecticut property tax reduction increment (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 296. `gov.states.ct.tax.income.credits.property_tax.reduction.start` + +**Label:** Connecticut Property Tax Credit reduction start + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.ct.tax.income.credits.property_tax.reduction.start.SINGLE` +- Generated label: "Connecticut Property Tax Credit reduction start (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 297. `gov.states.ct.tax.income.recapture.middle.increment` + +**Label:** Connecticut income tax recapture middle bracket increment + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.ct.tax.income.recapture.middle.increment.SINGLE` +- Generated label: "Connecticut income tax recapture middle bracket increment (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 298. `gov.states.ct.tax.income.recapture.middle.max_amount` + +**Label:** Connecticut income tax recapture middle bracket max amount + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.ct.tax.income.recapture.middle.max_amount.SINGLE` +- Generated label: "Connecticut income tax recapture middle bracket max amount (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 299. `gov.states.ct.tax.income.recapture.middle.amount` + +**Label:** Connecticut income tax recapture middle bracket amount + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.ct.tax.income.recapture.middle.amount.SINGLE` +- Generated label: "Connecticut income tax recapture middle bracket amount (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 300. `gov.states.ct.tax.income.recapture.middle.start` + +**Label:** Connecticut income tax recapture middle bracket start + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.ct.tax.income.recapture.middle.start.SINGLE` +- Generated label: "Connecticut income tax recapture middle bracket start (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 301. `gov.states.ct.tax.income.recapture.high.increment` + +**Label:** Connecticut income tax recapture high bracket increment + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.ct.tax.income.recapture.high.increment.SINGLE` +- Generated label: "Connecticut income tax recapture high bracket increment (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 302. `gov.states.ct.tax.income.recapture.high.max_amount` + +**Label:** Connecticut income tax recapture high bracket max amount + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.ct.tax.income.recapture.high.max_amount.SINGLE` +- Generated label: "Connecticut income tax recapture high bracket max amount (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 303. `gov.states.ct.tax.income.recapture.high.amount` + +**Label:** Connecticut income tax recapture high bracket increment + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.ct.tax.income.recapture.high.amount.SINGLE` +- Generated label: "Connecticut income tax recapture high bracket increment (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 304. `gov.states.ct.tax.income.recapture.high.start` + +**Label:** Connecticut income tax recapture high bracket start + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.ct.tax.income.recapture.high.start.SINGLE` +- Generated label: "Connecticut income tax recapture high bracket start (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 305. `gov.states.ct.tax.income.recapture.low.increment` + +**Label:** Connecticut income tax recapture low bracket increment + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.ct.tax.income.recapture.low.increment.SINGLE` +- Generated label: "Connecticut income tax recapture low bracket increment (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 306. `gov.states.ct.tax.income.recapture.low.max_amount` + +**Label:** Connecticut income tax recapture low bracket max amount + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.ct.tax.income.recapture.low.max_amount.SINGLE` +- Generated label: "Connecticut income tax recapture low bracket max amount (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 307. `gov.states.ct.tax.income.recapture.low.amount` + +**Label:** Connecticut income tax recapture low bracket amount + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.ct.tax.income.recapture.low.amount.SINGLE` +- Generated label: "Connecticut income tax recapture low bracket amount (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 308. `gov.states.ct.tax.income.recapture.low.start` + +**Label:** Connecticut income tax recapture low bracket start + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.ct.tax.income.recapture.low.start.SINGLE` +- Generated label: "Connecticut income tax recapture low bracket start (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 309. `gov.states.wv.tax.income.subtractions.social_security_benefits.income_limit` + +**Label:** West Virginia social security benefits subtraction income limit + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.wv.tax.income.subtractions.social_security_benefits.income_limit.JOINT` +- Generated label: "West Virginia social security benefits subtraction income limit (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 310. `gov.states.wv.tax.income.subtractions.low_income_earned_income.income_limit` + +**Label:** West Virginia low-income earned income exclusion income limit + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.wv.tax.income.subtractions.low_income_earned_income.income_limit.SINGLE` +- Generated label: "West Virginia low-income earned income exclusion income limit (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 311. `gov.states.wv.tax.income.subtractions.low_income_earned_income.amount` + +**Label:** West Virginia low-income earned income exclusion low-income earned income exclusion limit + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.wv.tax.income.subtractions.low_income_earned_income.amount.SINGLE` +- Generated label: "West Virginia low-income earned income exclusion low-income earned income exclusion limit (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 312. `gov.states.wv.tax.income.credits.liftc.fpg_percent` + +**Label:** West Virginia low-income family tax credit MAGI limit + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.wv.tax.income.credits.liftc.fpg_percent.SINGLE` +- Generated label: "West Virginia low-income family tax credit MAGI limit (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 313. `gov.states.ri.tax.income.agi.subtractions.tuition_saving_program_contributions.cap` + +**Label:** Rhode Island tuition saving program contribution deduction cap + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.ri.tax.income.agi.subtractions.tuition_saving_program_contributions.cap.SINGLE` +- Generated label: "Rhode Island tuition saving program contribution deduction cap (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 314. `gov.states.ri.tax.income.agi.subtractions.taxable_retirement_income.income_limit` + +**Label:** Rhode Island taxable retirement income subtraction income limit + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.ri.tax.income.agi.subtractions.taxable_retirement_income.income_limit.JOINT` +- Generated label: "Rhode Island taxable retirement income subtraction income limit (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 315. `gov.states.ri.tax.income.agi.subtractions.social_security.limit.income` + +**Label:** Rhode Island social security subtraction income limit + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.ri.tax.income.agi.subtractions.social_security.limit.income.JOINT` +- Generated label: "Rhode Island social security subtraction income limit (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 316. `gov.states.ri.tax.income.deductions.standard.amount` + +**Label:** Rhode Island standard deduction amount + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.ri.tax.income.deductions.standard.amount.SINGLE` +- Generated label: "Rhode Island standard deduction amount (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 317. `gov.states.ri.tax.income.credits.child_tax_rebate.limit.income` + +**Label:** Rhode Island child tax rebate income limit + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.ri.tax.income.credits.child_tax_rebate.limit.income.SINGLE` +- Generated label: "Rhode Island child tax rebate income limit (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 318. `gov.states.nc.tax.income.deductions.standard.amount` + +**Label:** North Carolina standard deduction amount + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.nc.tax.income.deductions.standard.amount.SINGLE` +- Generated label: "North Carolina standard deduction amount (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 319. `gov.states.nm.tax.income.rebates.property_tax.max_amount` + +**Label:** New Mexico property tax rebate max amount + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.nm.tax.income.rebates.property_tax.max_amount.JOINT` +- Generated label: "New Mexico property tax rebate max amount (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 320. `gov.states.nm.tax.income.rebates.2021_income.supplemental.amount` + +**Label:** New Mexico supplemental 2021 income tax rebate amount + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.nm.tax.income.rebates.2021_income.supplemental.amount.JOINT` +- Generated label: "New Mexico supplemental 2021 income tax rebate amount (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 321. `gov.states.nm.tax.income.rebates.2021_income.additional.amount` + +**Label:** New Mexico additional 2021 income tax rebate amount + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.nm.tax.income.rebates.2021_income.additional.amount.JOINT` +- Generated label: "New Mexico additional 2021 income tax rebate amount (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 322. `gov.states.nm.tax.income.rebates.2021_income.main.income_limit` + +**Label:** New Mexico main 2021 income tax rebate income limit + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.nm.tax.income.rebates.2021_income.main.income_limit.JOINT` +- Generated label: "New Mexico main 2021 income tax rebate income limit (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 323. `gov.states.nm.tax.income.rebates.2021_income.main.amount` + +**Label:** New Mexico main 2021 income tax rebate amount + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.nm.tax.income.rebates.2021_income.main.amount.JOINT` +- Generated label: "New Mexico main 2021 income tax rebate amount (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 324. `gov.states.nm.tax.income.deductions.certain_dependents.amount` + +**Label:** New Mexico deduction for certain dependents + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.nm.tax.income.deductions.certain_dependents.amount.JOINT` +- Generated label: "New Mexico deduction for certain dependents (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 325. `gov.states.nm.tax.income.exemptions.low_and_middle_income.income_limit` + +**Label:** New Mexico low- and middle-income exemption income limit + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.nm.tax.income.exemptions.low_and_middle_income.income_limit.JOINT` +- Generated label: "New Mexico low- and middle-income exemption income limit (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 326. `gov.states.nm.tax.income.exemptions.low_and_middle_income.reduction.income_threshold` + +**Label:** New Mexico low- and middle-income exemption reduction threshold + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.nm.tax.income.exemptions.low_and_middle_income.reduction.income_threshold.JOINT` +- Generated label: "New Mexico low- and middle-income exemption reduction threshold (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 327. `gov.states.nm.tax.income.exemptions.low_and_middle_income.reduction.rate` + +**Label:** New Mexico low- and middle-income exemption reduction rate + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.nm.tax.income.exemptions.low_and_middle_income.reduction.rate.JOINT` +- Generated label: "New Mexico low- and middle-income exemption reduction rate (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 328. `gov.states.nm.tax.income.exemptions.social_security_income.income_limit` + +**Label:** New Mexico social security income exemption income limit + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.nm.tax.income.exemptions.social_security_income.income_limit.JOINT` +- Generated label: "New Mexico social security income exemption income limit (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 329. `gov.states.nj.tax.income.filing_threshold` + +**Label:** NJ filing threshold + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.nj.tax.income.filing_threshold.SINGLE` +- Generated label: "NJ filing threshold (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 330. `gov.states.nj.tax.income.exclusions.retirement.max_amount` + +**Label:** New Jersey pension/retirement maximum exclusion amount + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.nj.tax.income.exclusions.retirement.max_amount.SINGLE` +- Generated label: "New Jersey pension/retirement maximum exclusion amount (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 331. `gov.states.nj.tax.income.exclusions.retirement.special_exclusion.amount` + +**Label:** NJ other retirement income special exclusion. + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.nj.tax.income.exclusions.retirement.special_exclusion.amount.SINGLE` +- Generated label: "NJ other retirement income special exclusion. (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 332. `gov.states.nj.tax.income.exemptions.regular.amount` + +**Label:** New Jersey Regular Exemption + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.nj.tax.income.exemptions.regular.amount.SINGLE` +- Generated label: "New Jersey Regular Exemption (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 333. `gov.states.nj.tax.income.credits.property_tax.income_limit` + +**Label:** New Jersey property tax credit income limit + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.nj.tax.income.credits.property_tax.income_limit.SINGLE` +- Generated label: "New Jersey property tax credit income limit (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 334. `gov.states.me.tax.income.deductions.phase_out.width` + +**Label:** Maine standard/itemized deduction phase-out width + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.me.tax.income.deductions.phase_out.width.SINGLE` +- Generated label: "Maine standard/itemized deduction phase-out width (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 335. `gov.states.me.tax.income.deductions.phase_out.start` + +**Label:** Maine standard/itemized exemption phase-out start + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.me.tax.income.deductions.phase_out.start.SINGLE` +- Generated label: "Maine standard/itemized exemption phase-out start (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 336. `gov.states.me.tax.income.deductions.personal_exemption.phaseout.width` + +**Label:** Maine personal exemption phase-out width + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.me.tax.income.deductions.personal_exemption.phaseout.width.SINGLE` +- Generated label: "Maine personal exemption phase-out width (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 337. `gov.states.me.tax.income.deductions.personal_exemption.phaseout.start` + +**Label:** Maine personal exemption phase-out start + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.me.tax.income.deductions.personal_exemption.phaseout.start.SINGLE` +- Generated label: "Maine personal exemption phase-out start (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 338. `gov.states.me.tax.income.credits.relief_rebate.income_limit` + +**Label:** Maine Relief Rebate income limit + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.me.tax.income.credits.relief_rebate.income_limit.SINGLE` +- Generated label: "Maine Relief Rebate income limit (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 339. `gov.states.me.tax.income.credits.fairness.sales_tax.amount.base` + +**Label:** Maine sales tax fairness credit base amount + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.me.tax.income.credits.fairness.sales_tax.amount.base.SINGLE` +- Generated label: "Maine sales tax fairness credit base amount (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 340. `gov.states.me.tax.income.credits.fairness.sales_tax.reduction.increment` + +**Label:** Maine sales tax fairness credit phase-out increment + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.me.tax.income.credits.fairness.sales_tax.reduction.increment.SINGLE` +- Generated label: "Maine sales tax fairness credit phase-out increment (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 341. `gov.states.me.tax.income.credits.fairness.sales_tax.reduction.amount` + +**Label:** Maine sales tax fairness credit phase-out amount + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.me.tax.income.credits.fairness.sales_tax.reduction.amount.SINGLE` +- Generated label: "Maine sales tax fairness credit phase-out amount (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 342. `gov.states.me.tax.income.credits.fairness.sales_tax.reduction.start` + +**Label:** Maine sales tax fairness credit phase-out start + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.me.tax.income.credits.fairness.sales_tax.reduction.start.SINGLE` +- Generated label: "Maine sales tax fairness credit phase-out start (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 343. `gov.states.me.tax.income.credits.dependent_exemption.phase_out.start` + +**Label:** Maine dependents exemption phase-out start + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.me.tax.income.credits.dependent_exemption.phase_out.start.SINGLE` +- Generated label: "Maine dependents exemption phase-out start (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 344. `gov.states.ar.tax.income.deductions.standard` + +**Label:** Arkansas standard deduction + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.ar.tax.income.deductions.standard.JOINT` +- Generated label: "Arkansas standard deduction (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 345. `gov.states.ar.tax.income.gross_income.capital_gains.loss_cap` + +**Label:** Arkansas long-term capital gains tax loss cap + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.ar.tax.income.gross_income.capital_gains.loss_cap.JOINT` +- Generated label: "Arkansas long-term capital gains tax loss cap (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 346. `gov.states.ar.tax.income.credits.inflationary_relief.max_amount` + +**Label:** Arkansas income-tax credit maximum amount + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.ar.tax.income.credits.inflationary_relief.max_amount.JOINT` +- Generated label: "Arkansas income-tax credit maximum amount (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 347. `gov.states.ar.tax.income.credits.inflationary_relief.reduction.increment` + +**Label:** Arkansas income reduction increment + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.ar.tax.income.credits.inflationary_relief.reduction.increment.JOINT` +- Generated label: "Arkansas income reduction increment (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 348. `gov.states.ar.tax.income.credits.inflationary_relief.reduction.amount` + +**Label:** Arkansas inflation relief credit reduction amount + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.ar.tax.income.credits.inflationary_relief.reduction.amount.JOINT` +- Generated label: "Arkansas inflation relief credit reduction amount (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 349. `gov.states.ar.tax.income.credits.inflationary_relief.reduction.start` + +**Label:** Arkansas inflation reduction credit reduction start + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.ar.tax.income.credits.inflationary_relief.reduction.start.JOINT` +- Generated label: "Arkansas inflation reduction credit reduction start (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 350. `gov.states.dc.tax.income.deductions.itemized.phase_out.start` + +**Label:** DC itemized deduction phase-out DC AGI start + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.dc.tax.income.deductions.itemized.phase_out.start.SINGLE` +- Generated label: "DC itemized deduction phase-out DC AGI start (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 351. `gov.states.dc.tax.income.credits.kccatc.income_limit` + +**Label:** DC KCCATC DC taxable income limit + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.dc.tax.income.credits.kccatc.income_limit.SINGLE` +- Generated label: "DC KCCATC DC taxable income limit (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 352. `gov.states.dc.tax.income.credits.ctc.income_threshold` + +**Label:** DC Child Tax Credit taxable income threshold + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.dc.tax.income.credits.ctc.income_threshold.SINGLE` +- Generated label: "DC Child Tax Credit taxable income threshold (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 353. `gov.states.md.tax.income.deductions.itemized.phase_out.threshold` + +**Label:** Maryland itemized deduction phase-out threshold + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.md.tax.income.deductions.itemized.phase_out.threshold.SINGLE` +- Generated label: "Maryland itemized deduction phase-out threshold (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 354. `gov.states.md.tax.income.deductions.standard.max` + +**Label:** Maryland maximum standard deduction + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.md.tax.income.deductions.standard.max.JOINT` +- Generated label: "Maryland maximum standard deduction (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 355. `gov.states.md.tax.income.deductions.standard.min` + +**Label:** Maryland minimum standard deduction + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.md.tax.income.deductions.standard.min.JOINT` +- Generated label: "Maryland minimum standard deduction (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 356. `gov.states.md.tax.income.deductions.standard.flat_deduction.amount` + +**Label:** Maryland standard deduction flat amount + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.md.tax.income.deductions.standard.flat_deduction.amount.JOINT` +- Generated label: "Maryland standard deduction flat amount (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 357. `gov.states.md.tax.income.credits.cdcc.phase_out.increment` + +**Label:** Maryland CDCC phase-out increment + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.md.tax.income.credits.cdcc.phase_out.increment.JOINT` +- Generated label: "Maryland CDCC phase-out increment (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 358. `gov.states.md.tax.income.credits.cdcc.phase_out.start` + +**Label:** Maryland CDCC phase-out start + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.md.tax.income.credits.cdcc.phase_out.start.JOINT` +- Generated label: "Maryland CDCC phase-out start (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 359. `gov.states.md.tax.income.credits.cdcc.eligibility.agi_cap` + +**Label:** Maryland CDCC AGI cap + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.md.tax.income.credits.cdcc.eligibility.agi_cap.JOINT` +- Generated label: "Maryland CDCC AGI cap (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 360. `gov.states.md.tax.income.credits.cdcc.eligibility.refundable_agi_cap` + +**Label:** Maryland refundable CDCC AGI cap + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.md.tax.income.credits.cdcc.eligibility.refundable_agi_cap.JOINT` +- Generated label: "Maryland refundable CDCC AGI cap (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 361. `gov.states.md.tax.income.credits.senior_tax.income_threshold` + +**Label:** Maryland Senior Tax Credit income threshold + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.md.tax.income.credits.senior_tax.income_threshold.JOINT` +- Generated label: "Maryland Senior Tax Credit income threshold (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 362. `gov.states.ks.tax.income.rates.zero_tax_threshold` + +**Label:** KS zero-tax taxable-income threshold + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.ks.tax.income.rates.zero_tax_threshold.JOINT` +- Generated label: "KS zero-tax taxable-income threshold (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 363. `gov.states.ks.tax.income.deductions.standard.extra_amount` + +**Label:** Kansas extra standard deduction for elderly and blind + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.ks.tax.income.deductions.standard.extra_amount.JOINT` +- Generated label: "Kansas extra standard deduction for elderly and blind (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 364. `gov.states.ks.tax.income.deductions.standard.base_amount` + +**Label:** Kansas base standard deduction + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.ks.tax.income.deductions.standard.base_amount.JOINT` +- Generated label: "Kansas base standard deduction (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 365. `gov.states.ne.tax.income.agi.subtractions.social_security.threshold` + +**Label:** Nebraska social security AGI subtraction threshold + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.ne.tax.income.agi.subtractions.social_security.threshold.JOINT` +- Generated label: "Nebraska social security AGI subtraction threshold (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 366. `gov.states.ne.tax.income.deductions.standard.base_amount` + +**Label:** Nebraska standard deduction base amount + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.ne.tax.income.deductions.standard.base_amount.JOINT` +- Generated label: "Nebraska standard deduction base amount (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 367. `gov.states.ne.tax.income.credits.school_readiness.amount.refundable` + +**Label:** Nebraska School Readiness credit refundable amount + +**Breakdown dimensions:** `['range(1, 6)']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `range(1, 6)` → **Raw numeric index (NO semantic label)** + +**Example - Current label generation:** +- Parameter: `gov.states.ne.tax.income.credits.school_readiness.amount.refundable.1` +- Generated label: "Nebraska School Readiness credit refundable amount (1)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ['[NEEDS: label for range(1, 6)]']` + +--- + +### 368. `gov.states.hi.tax.income.deductions.itemized.threshold.deductions` + +**Label:** Hawaii itemized deductions deductions threshold + +**Breakdown dimensions:** `filing_status` + +**Child parameters:** 5 + +**Dimension analysis:** +- `f` → Variable/enum lookup (may or may not have labels) +- `i` → Variable/enum lookup (may or may not have labels) +- `l` → Variable/enum lookup (may or may not have labels) +- `i` → Variable/enum lookup (may or may not have labels) +- `n` → Variable/enum lookup (may or may not have labels) +- `g` → Variable/enum lookup (may or may not have labels) +- `_` → Variable/enum lookup (may or may not have labels) +- `s` → Variable/enum lookup (may or may not have labels) +- `t` → Variable/enum lookup (may or may not have labels) +- `a` → Variable/enum lookup (may or may not have labels) +- `t` → Variable/enum lookup (may or may not have labels) +- `u` → Variable/enum lookup (may or may not have labels) +- `s` → Variable/enum lookup (may or may not have labels) + +**Example - Current label generation:** +- Parameter: `gov.states.hi.tax.income.deductions.itemized.threshold.deductions.SINGLE` +- Generated label: "Hawaii itemized deductions deductions threshold (SINGLE)" + +**Suggested improvement:** +- ℹ️ Uses custom enum variables - verify they have display labels +- Consider adding `breakdown_labels` for clarity + +--- + +### 369. `gov.states.hi.tax.income.deductions.itemized.threshold.reduction` + +**Label:** Hawaii itemized deductions reduction threshold + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.hi.tax.income.deductions.itemized.threshold.reduction.SINGLE` +- Generated label: "Hawaii itemized deductions reduction threshold (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 370. `gov.states.hi.tax.income.deductions.standard.amount` + +**Label:** Hawaii standard deduction amount + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.hi.tax.income.deductions.standard.amount.JOINT` +- Generated label: "Hawaii standard deduction amount (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 371. `gov.states.de.tax.income.subtractions.exclusions.elderly_or_disabled.eligibility.agi_limit` + +**Label:** Delaware aged or disabled exclusion subtraction adjusted gross income limit + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.de.tax.income.subtractions.exclusions.elderly_or_disabled.eligibility.agi_limit.JOINT` +- Generated label: "Delaware aged or disabled exclusion subtraction adjusted gross income limit (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 372. `gov.states.de.tax.income.subtractions.exclusions.elderly_or_disabled.eligibility.earned_income_limit` + +**Label:** Delaware aged or disabled exclusion earned income limit + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.de.tax.income.subtractions.exclusions.elderly_or_disabled.eligibility.earned_income_limit.JOINT` +- Generated label: "Delaware aged or disabled exclusion earned income limit (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 373. `gov.states.de.tax.income.subtractions.exclusions.elderly_or_disabled.amount` + +**Label:** Delaware aged or disabled exclusion amount + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.de.tax.income.subtractions.exclusions.elderly_or_disabled.amount.JOINT` +- Generated label: "Delaware aged or disabled exclusion amount (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 374. `gov.states.de.tax.income.deductions.standard.amount` + +**Label:** Delaware Standard Deduction + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.de.tax.income.deductions.standard.amount.JOINT` +- Generated label: "Delaware Standard Deduction (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 375. `gov.states.az.tax.income.credits.charitable_contribution.ceiling.qualifying_organization` + +**Label:** Arizona charitable contribution credit cap + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.az.tax.income.credits.charitable_contribution.ceiling.qualifying_organization.JOINT` +- Generated label: "Arizona charitable contribution credit cap (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 376. `gov.states.az.tax.income.credits.charitable_contribution.ceiling.qualifying_foster` + +**Label:** Arizona credit for contributions to foster organizations cap + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.az.tax.income.credits.charitable_contribution.ceiling.qualifying_foster.JOINT` +- Generated label: "Arizona credit for contributions to foster organizations cap (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 377. `gov.states.az.tax.income.credits.dependent_credit.reduction.start` + +**Label:** Arizona dependent tax credit phase out start + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.az.tax.income.credits.dependent_credit.reduction.start.SINGLE` +- Generated label: "Arizona dependent tax credit phase out start (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 378. `gov.states.az.tax.income.credits.increased_excise.income_threshold` + +**Label:** Arizona Increased Excise Tax Credit income threshold + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.az.tax.income.credits.increased_excise.income_threshold.SINGLE` +- Generated label: "Arizona Increased Excise Tax Credit income threshold (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 379. `gov.states.az.tax.income.credits.family_tax_credits.amount.cap` + +**Label:** Arizona family tax credit maximum amount + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.az.tax.income.credits.family_tax_credits.amount.cap.SINGLE` +- Generated label: "Arizona family tax credit maximum amount (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 380. `gov.states.ny.tax.income.deductions.standard.amount` + +**Label:** New York standard deduction + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.ny.tax.income.deductions.standard.amount.SINGLE` +- Generated label: "New York standard deduction (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 381. `gov.states.ny.tax.income.credits.ctc.post_2024.phase_out.threshold` + +**Label:** New York CTC post 2024 phase-out thresholds + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.ny.tax.income.credits.ctc.post_2024.phase_out.threshold.SINGLE` +- Generated label: "New York CTC post 2024 phase-out thresholds (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 382. `gov.states.id.tax.income.deductions.retirement_benefits.cap` + +**Label:** Idaho retirement benefit deduction cap + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.id.tax.income.deductions.retirement_benefits.cap.SINGLE` +- Generated label: "Idaho retirement benefit deduction cap (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 383. `gov.states.id.tax.income.credits.special_seasonal_rebate.floor` + +**Label:** Idaho special seasonal rebate floor + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.id.tax.income.credits.special_seasonal_rebate.floor.SINGLE` +- Generated label: "Idaho special seasonal rebate floor (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 384. `gov.states.or.tax.income.deductions.standard.aged_or_blind.amount` + +**Label:** Oregon standard deduction addition for 65 or older or blind + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.or.tax.income.deductions.standard.aged_or_blind.amount.JOINT` +- Generated label: "Oregon standard deduction addition for 65 or older or blind (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 385. `gov.states.or.tax.income.deductions.standard.amount` + +**Label:** Oregon standard deduction + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.or.tax.income.deductions.standard.amount.JOINT` +- Generated label: "Oregon standard deduction (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 386. `gov.states.or.tax.income.credits.exemption.income_limit.regular` + +**Label:** Oregon exemption credit income limit (regular) + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.or.tax.income.credits.exemption.income_limit.regular.JOINT` +- Generated label: "Oregon exemption credit income limit (regular) (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 387. `gov.states.or.tax.income.credits.retirement_income.income_threshold` + +**Label:** Oregon retirement income credit income threshold + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.or.tax.income.credits.retirement_income.income_threshold.JOINT` +- Generated label: "Oregon retirement income credit income threshold (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 388. `gov.states.or.tax.income.credits.retirement_income.base` + +**Label:** Oregon retirement income credit base + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.or.tax.income.credits.retirement_income.base.JOINT` +- Generated label: "Oregon retirement income credit base (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 389. `gov.states.la.tax.income.deductions.standard.amount` + +**Label:** Louisiana standard deduction amount + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.la.tax.income.deductions.standard.amount.SINGLE` +- Generated label: "Louisiana standard deduction amount (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 390. `gov.states.la.tax.income.exemptions.personal` + +**Label:** Louisiana personal exemption amount + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.la.tax.income.exemptions.personal.SINGLE` +- Generated label: "Louisiana personal exemption amount (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 391. `gov.states.wi.tax.income.subtractions.retirement_income.max_agi` + +**Label:** Wisconsin retirement income subtraction maximum adjusted gross income + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.states.wi.tax.income.subtractions.retirement_income.max_agi.SINGLE` +- Generated label: "Wisconsin retirement income subtraction maximum adjusted gross income (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 392. `gov.states.wi.dcf.works.placement.amount` + +**Label:** Wisconsin Works payment amount + +**Breakdown dimensions:** `['wi_works_placement']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `wi_works_placement` → Variable/enum lookup (may or may not have labels) + +**Example - Current label generation:** +- Parameter: `gov.states.wi.dcf.works.placement.amount.CSJ` +- Generated label: "Wisconsin Works payment amount (CSJ)" + +**Suggested improvement:** +- ℹ️ Uses custom enum variables - verify they have display labels +- Consider adding `breakdown_labels` for clarity + +--- + +### 393. `gov.irs.deductions.overtime_income.phase_out.start` + +**Label:** Overtime income exemption phase out start + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.irs.deductions.overtime_income.phase_out.start.JOINT` +- Generated label: "Overtime income exemption phase out start (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 394. `gov.irs.deductions.overtime_income.cap` + +**Label:** Overtime income exemption cap + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.irs.deductions.overtime_income.cap.JOINT` +- Generated label: "Overtime income exemption cap (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 395. `gov.irs.deductions.qbi.phase_out.start` + +**Label:** Qualified business income deduction phase-out start + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.irs.deductions.qbi.phase_out.start.HEAD_OF_HOUSEHOLD` +- Generated label: "Qualified business income deduction phase-out start (HEAD_OF_HOUSEHOLD)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 396. `gov.irs.deductions.itemized.limitation.applicable_amount` + +**Label:** Itemized deductions applicable amount + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.irs.deductions.itemized.limitation.applicable_amount.JOINT` +- Generated label: "Itemized deductions applicable amount (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 397. `gov.irs.deductions.itemized.interest.mortgage.cap` + +**Label:** IRS home mortgage value cap + +**Breakdown dimensions:** `filing_status` + +**Child parameters:** 5 + +**Dimension analysis:** +- `f` → Variable/enum lookup (may or may not have labels) +- `i` → Variable/enum lookup (may or may not have labels) +- `l` → Variable/enum lookup (may or may not have labels) +- `i` → Variable/enum lookup (may or may not have labels) +- `n` → Variable/enum lookup (may or may not have labels) +- `g` → Variable/enum lookup (may or may not have labels) +- `_` → Variable/enum lookup (may or may not have labels) +- `s` → Variable/enum lookup (may or may not have labels) +- `t` → Variable/enum lookup (may or may not have labels) +- `a` → Variable/enum lookup (may or may not have labels) +- `t` → Variable/enum lookup (may or may not have labels) +- `u` → Variable/enum lookup (may or may not have labels) +- `s` → Variable/enum lookup (may or may not have labels) + +**Example - Current label generation:** +- Parameter: `gov.irs.deductions.itemized.interest.mortgage.cap.SINGLE` +- Generated label: "IRS home mortgage value cap (SINGLE)" + +**Suggested improvement:** +- ℹ️ Uses custom enum variables - verify they have display labels +- Consider adding `breakdown_labels` for clarity + +--- + +### 398. `gov.irs.deductions.itemized.reduction.agi_threshold` + +**Label:** IRS itemized deductions reduction threshold + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.irs.deductions.itemized.reduction.agi_threshold.SINGLE` +- Generated label: "IRS itemized deductions reduction threshold (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 399. `gov.irs.deductions.itemized.salt_and_real_estate.phase_out.threshold` + +**Label:** SALT deduction phase out threshold + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.irs.deductions.itemized.salt_and_real_estate.phase_out.threshold.SINGLE` +- Generated label: "SALT deduction phase out threshold (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 400. `gov.irs.deductions.itemized.salt_and_real_estate.phase_out.floor.amount` + +**Label:** SALT deduction floor amount + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.irs.deductions.itemized.salt_and_real_estate.phase_out.floor.amount.SINGLE` +- Generated label: "SALT deduction floor amount (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 401. `gov.irs.deductions.itemized.charity.non_itemizers_amount` + +**Label:** Charitable deduction amount for non-itemizers + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.irs.deductions.itemized.charity.non_itemizers_amount.JOINT` +- Generated label: "Charitable deduction amount for non-itemizers (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 402. `gov.irs.deductions.standard.aged_or_blind.amount` + +**Label:** Additional standard deduction for the blind and aged + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.irs.deductions.standard.aged_or_blind.amount.SINGLE` +- Generated label: "Additional standard deduction for the blind and aged (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 403. `gov.irs.deductions.standard.amount` + +**Label:** Standard deduction + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.irs.deductions.standard.amount.SINGLE` +- Generated label: "Standard deduction (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 404. `gov.irs.deductions.auto_loan_interest.phase_out.start` + +**Label:** Auto loan interest deduction reduction start + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.irs.deductions.auto_loan_interest.phase_out.start.SINGLE` +- Generated label: "Auto loan interest deduction reduction start (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 405. `gov.irs.deductions.tip_income.phase_out.start` + +**Label:** Tip income exemption phase out start + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.irs.deductions.tip_income.phase_out.start.JOINT` +- Generated label: "Tip income exemption phase out start (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 406. `gov.irs.income.amt.multiplier` + +**Label:** AMT tax bracket multiplier + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.irs.income.amt.multiplier.SINGLE` +- Generated label: "AMT tax bracket multiplier (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 407. `gov.irs.gross_income.dependent_care_assistance_programs.reduction_amount` + +**Label:** IRS reduction amount from gross income for dependent care assistance + +**Breakdown dimensions:** `filing_status` + +**Child parameters:** 5 + +**Dimension analysis:** +- `f` → Variable/enum lookup (may or may not have labels) +- `i` → Variable/enum lookup (may or may not have labels) +- `l` → Variable/enum lookup (may or may not have labels) +- `i` → Variable/enum lookup (may or may not have labels) +- `n` → Variable/enum lookup (may or may not have labels) +- `g` → Variable/enum lookup (may or may not have labels) +- `_` → Variable/enum lookup (may or may not have labels) +- `s` → Variable/enum lookup (may or may not have labels) +- `t` → Variable/enum lookup (may or may not have labels) +- `a` → Variable/enum lookup (may or may not have labels) +- `t` → Variable/enum lookup (may or may not have labels) +- `u` → Variable/enum lookup (may or may not have labels) +- `s` → Variable/enum lookup (may or may not have labels) + +**Example - Current label generation:** +- Parameter: `gov.irs.gross_income.dependent_care_assistance_programs.reduction_amount.SINGLE` +- Generated label: "IRS reduction amount from gross income for dependent care assistance (SINGLE)" + +**Suggested improvement:** +- ℹ️ Uses custom enum variables - verify they have display labels +- Consider adding `breakdown_labels` for clarity + +--- + +### 408. `gov.irs.ald.loss.capital.max` + +**Label:** Maximum capital loss deductible above-the-line + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.irs.ald.loss.capital.max.SINGLE` +- Generated label: "Maximum capital loss deductible above-the-line (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 409. `gov.irs.ald.student_loan_interest.reduction.divisor` + +**Label:** Student loan interest deduction reduction divisor + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.irs.ald.student_loan_interest.reduction.divisor.JOINT` +- Generated label: "Student loan interest deduction reduction divisor (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 410. `gov.irs.ald.student_loan_interest.reduction.start` + +**Label:** Student loan interest deduction amount + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.irs.ald.student_loan_interest.reduction.start.JOINT` +- Generated label: "Student loan interest deduction amount (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 411. `gov.irs.ald.student_loan_interest.cap` + +**Label:** Student loan interest deduction cap + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.irs.ald.student_loan_interest.cap.JOINT` +- Generated label: "Student loan interest deduction cap (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 412. `gov.irs.social_security.taxability.threshold.adjusted_base.main` + +**Label:** Social Security taxability additional threshold + +**Breakdown dimensions:** `filing_status` + +**Child parameters:** 5 + +**Dimension analysis:** +- `f` → Variable/enum lookup (may or may not have labels) +- `i` → Variable/enum lookup (may or may not have labels) +- `l` → Variable/enum lookup (may or may not have labels) +- `i` → Variable/enum lookup (may or may not have labels) +- `n` → Variable/enum lookup (may or may not have labels) +- `g` → Variable/enum lookup (may or may not have labels) +- `_` → Variable/enum lookup (may or may not have labels) +- `s` → Variable/enum lookup (may or may not have labels) +- `t` → Variable/enum lookup (may or may not have labels) +- `a` → Variable/enum lookup (may or may not have labels) +- `t` → Variable/enum lookup (may or may not have labels) +- `u` → Variable/enum lookup (may or may not have labels) +- `s` → Variable/enum lookup (may or may not have labels) + +**Example - Current label generation:** +- Parameter: `gov.irs.social_security.taxability.threshold.adjusted_base.main.SINGLE` +- Generated label: "Social Security taxability additional threshold (SINGLE)" + +**Suggested improvement:** +- ℹ️ Uses custom enum variables - verify they have display labels +- Consider adding `breakdown_labels` for clarity + +--- + +### 413. `gov.irs.social_security.taxability.threshold.base.main` + +**Label:** Social Security taxability base threshold + +**Breakdown dimensions:** `filing_status` + +**Child parameters:** 5 + +**Dimension analysis:** +- `f` → Variable/enum lookup (may or may not have labels) +- `i` → Variable/enum lookup (may or may not have labels) +- `l` → Variable/enum lookup (may or may not have labels) +- `i` → Variable/enum lookup (may or may not have labels) +- `n` → Variable/enum lookup (may or may not have labels) +- `g` → Variable/enum lookup (may or may not have labels) +- `_` → Variable/enum lookup (may or may not have labels) +- `s` → Variable/enum lookup (may or may not have labels) +- `t` → Variable/enum lookup (may or may not have labels) +- `a` → Variable/enum lookup (may or may not have labels) +- `t` → Variable/enum lookup (may or may not have labels) +- `u` → Variable/enum lookup (may or may not have labels) +- `s` → Variable/enum lookup (may or may not have labels) + +**Example - Current label generation:** +- Parameter: `gov.irs.social_security.taxability.threshold.base.main.SINGLE` +- Generated label: "Social Security taxability base threshold (SINGLE)" + +**Suggested improvement:** +- ℹ️ Uses custom enum variables - verify they have display labels +- Consider adding `breakdown_labels` for clarity + +--- + +### 414. `gov.irs.credits.recovery_rebate_credit.caa.phase_out.threshold` + +**Label:** Second Recovery Rebate Credit phase-out starting threshold + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.irs.credits.recovery_rebate_credit.caa.phase_out.threshold.SINGLE` +- Generated label: "Second Recovery Rebate Credit phase-out starting threshold (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 415. `gov.irs.credits.recovery_rebate_credit.arpa.phase_out.threshold` + +**Label:** ARPA Recovery Rebate Credit phase-out starting threshold + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.irs.credits.recovery_rebate_credit.arpa.phase_out.threshold.SINGLE` +- Generated label: "ARPA Recovery Rebate Credit phase-out starting threshold (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 416. `gov.irs.credits.recovery_rebate_credit.arpa.phase_out.length` + +**Label:** ARPA Recovery Rebate Credit phase-out length + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.irs.credits.recovery_rebate_credit.arpa.phase_out.length.SINGLE` +- Generated label: "ARPA Recovery Rebate Credit phase-out length (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 417. `gov.irs.credits.recovery_rebate_credit.cares.phase_out.threshold` + +**Label:** CARES Recovery Rebate Credit phase-out starting threshold + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.irs.credits.recovery_rebate_credit.cares.phase_out.threshold.SINGLE` +- Generated label: "CARES Recovery Rebate Credit phase-out starting threshold (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 418. `gov.irs.credits.retirement_saving.rate.threshold_adjustment` + +**Label:** Retirement Savings Contributions Credit (Saver's Credit) threshold adjustment rate + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.irs.credits.retirement_saving.rate.threshold_adjustment.JOINT` +- Generated label: "Retirement Savings Contributions Credit (Saver's Credit) threshold adjustment rate (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 419. `gov.irs.credits.clean_vehicle.new.eligibility.income_limit` + +**Label:** Income limit for new clean vehicle credit + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.irs.credits.clean_vehicle.new.eligibility.income_limit.JOINT` +- Generated label: "Income limit for new clean vehicle credit (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 420. `gov.irs.credits.clean_vehicle.used.eligibility.income_limit` + +**Label:** Income limit for used clean vehicle credit + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.irs.credits.clean_vehicle.used.eligibility.income_limit.JOINT` +- Generated label: "Income limit for used clean vehicle credit (JOINT)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 421. `gov.irs.credits.ctc.phase_out.threshold` + +**Label:** CTC phase-out threshold + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.irs.credits.ctc.phase_out.threshold.SINGLE` +- Generated label: "CTC phase-out threshold (SINGLE)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 422. `gov.irs.credits.cdcc.phase_out.amended_structure.second_start` + +**Label:** CDCC amended phase-out second start + +**Breakdown dimensions:** `['filing_status']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `filing_status` → Enum lookup (Single, Joint, etc.) + +**Example - Current label generation:** +- Parameter: `gov.irs.credits.cdcc.phase_out.amended_structure.second_start.HEAD_OF_HOUSEHOLD` +- Generated label: "CDCC amended phase-out second start (HEAD_OF_HOUSEHOLD)" + +**Suggested improvement:** +- ✓ Uses standard enums with known labels - current generation adequate + +--- + +### 423. `gov.hud.ami_limit.per_person_exceeding_4` + +**Label:** HUD area median income limit per person exceeding 4 + +**Breakdown dimensions:** `['hud_income_level']` + +**Child parameters:** 5 + +**Dimension analysis:** +- `hud_income_level` → Variable/enum lookup (may or may not have labels) + +**Example - Current label generation:** +- Parameter: `gov.hud.ami_limit.per_person_exceeding_4.MODERATE` +- Generated label: "HUD area median income limit per person exceeding 4 (MODERATE)" + +**Suggested improvement:** +- ℹ️ Uses custom enum variables - verify they have display labels +- Consider adding `breakdown_labels` for clarity + +--- + +### 424. `gov.ed.pell_grant.sai.fpg_fraction.max_pell_limits` + +**Label:** Maximum Pell Grant income limits + +**Breakdown dimensions:** `['pell_grant_household_type']` + +**Child parameters:** 4 + +**Dimension analysis:** +- `pell_grant_household_type` → Variable/enum lookup (may or may not have labels) + +**Example - Current label generation:** +- Parameter: `gov.ed.pell_grant.sai.fpg_fraction.max_pell_limits.DEPENDENT_SINGLE` +- Generated label: "Maximum Pell Grant income limits (DEPENDENT_SINGLE)" + +**Suggested improvement:** +- ℹ️ Uses custom enum variables - verify they have display labels +- Consider adding `breakdown_labels` for clarity + +--- + +### 425. `gov.states.az.tax.income.subtractions.college_savings.cap` + +**Label:** Arizona college savings plan subtraction cap + +**Breakdown dimensions:** `['az_filing_status']` + +**Child parameters:** 4 + +**Dimension analysis:** +- `az_filing_status` → Variable/enum lookup (may or may not have labels) + +**Example - Current label generation:** +- Parameter: `gov.states.az.tax.income.subtractions.college_savings.cap.SINGLE` +- Generated label: "Arizona college savings plan subtraction cap (SINGLE)" + +**Suggested improvement:** +- ℹ️ Uses custom enum variables - verify they have display labels +- Consider adding `breakdown_labels` for clarity + +--- + +### 426. `gov.states.az.tax.income.deductions.standard.amount` + +**Label:** Arizona standard deduction + +**Breakdown dimensions:** `['az_filing_status']` + +**Child parameters:** 4 + +**Dimension analysis:** +- `az_filing_status` → Variable/enum lookup (may or may not have labels) + +**Example - Current label generation:** +- Parameter: `gov.states.az.tax.income.deductions.standard.amount.JOINT` +- Generated label: "Arizona standard deduction (JOINT)" + +**Suggested improvement:** +- ℹ️ Uses custom enum variables - verify they have display labels +- Consider adding `breakdown_labels` for clarity + +--- + +### 427. `gov.irs.credits.clean_vehicle.new.eligibility.msrp_limit` + +**Label:** MSRP limit for new clean vehicle credit + +**Breakdown dimensions:** `['new_clean_vehicle_classification']` + +**Child parameters:** 4 + +**Dimension analysis:** +- `new_clean_vehicle_classification` → Variable/enum lookup (may or may not have labels) + +**Example - Current label generation:** +- Parameter: `gov.irs.credits.clean_vehicle.new.eligibility.msrp_limit.VAN` +- Generated label: "MSRP limit for new clean vehicle credit (VAN)" + +**Suggested improvement:** +- ℹ️ Uses custom enum variables - verify they have display labels +- Consider adding `breakdown_labels` for clarity + +--- + +### 428. `gov.states.ma.eec.ccfa.reimbursement_rates.family_child_care.younger` + +**Label:** Massachusetts CCFA family child care younger child reimbursement rates + +**Breakdown dimensions:** `['ma_ccfa_region']` + +**Child parameters:** 3 + +**Dimension analysis:** +- `ma_ccfa_region` → Variable/enum lookup (may or may not have labels) + +**Example - Current label generation:** +- Parameter: `gov.states.ma.eec.ccfa.reimbursement_rates.family_child_care.younger.WESTERN_CENTRAL_AND_SOUTHEAST` +- Generated label: "Massachusetts CCFA family child care younger child reimbursement rates (WESTERN_CENTRAL_AND_SOUTHEAST)" + +**Suggested improvement:** +- ℹ️ Uses custom enum variables - verify they have display labels +- Consider adding `breakdown_labels` for clarity + +--- + +### 429. `gov.states.ma.eec.ccfa.reimbursement_rates.family_child_care.older` + +**Label:** Massachusetts CCFA family child care older child reimbursement rates + +**Breakdown dimensions:** `['ma_ccfa_region']` + +**Child parameters:** 3 + +**Dimension analysis:** +- `ma_ccfa_region` → Variable/enum lookup (may or may not have labels) + +**Example - Current label generation:** +- Parameter: `gov.states.ma.eec.ccfa.reimbursement_rates.family_child_care.older.WESTERN_CENTRAL_AND_SOUTHEAST` +- Generated label: "Massachusetts CCFA family child care older child reimbursement rates (WESTERN_CENTRAL_AND_SOUTHEAST)" + +**Suggested improvement:** +- ℹ️ Uses custom enum variables - verify they have display labels +- Consider adding `breakdown_labels` for clarity + +--- + +### 430. `gov.states.md.tax.income.credits.senior_tax.amount.joint` + +**Label:** Maryland Senior Tax Credit joint amount + +**Breakdown dimensions:** `['range(0,2)']` + +**Child parameters:** 3 + +**Dimension analysis:** +- `range(0,2)` → **Raw numeric index (NO semantic label)** + +**Example - Current label generation:** +- Parameter: `gov.states.md.tax.income.credits.senior_tax.amount.joint.1` +- Generated label: "Maryland Senior Tax Credit joint amount (1)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ['[NEEDS: label for range(0,2)]']` + +--- + +### 431. `gov.states.il.idoa.bap.income_limit` + +**Label:** Illinois Benefit Access Program income limit + +**Breakdown dimensions:** `['range(1, 4)']` + +**Child parameters:** 3 + +**Dimension analysis:** +- `range(1, 4)` → **Raw numeric index (NO semantic label)** + +**Example - Current label generation:** +- Parameter: `gov.states.il.idoa.bap.income_limit.1` +- Generated label: "Illinois Benefit Access Program income limit (1)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ['[NEEDS: label for range(1, 4)]']` + +--- + +### 432. `gov.states.il.dhs.aabd.asset.disregard.base` + +**Label:** Illinois AABD asset disregard base amount + +**Breakdown dimensions:** `['range(1,3)']` + +**Child parameters:** 2 + +**Dimension analysis:** +- `range(1,3)` → **Raw numeric index (NO semantic label)** + +**Example - Current label generation:** +- Parameter: `gov.states.il.dhs.aabd.asset.disregard.base.1` +- Generated label: "Illinois AABD asset disregard base amount (1)" + +**Suggested improvement:** +- ⚠️ Has `range()` dimensions that need semantic labels +- Add `breakdown_labels` metadata with human-readable names +- Suggested: `breakdown_labels: ['[NEEDS: label for range(1,3)]']` + +--- diff --git a/US_PARAMETER_LABEL_ANALYSIS.md b/US_PARAMETER_LABEL_ANALYSIS.md new file mode 100644 index 0000000..7670a8f --- /dev/null +++ b/US_PARAMETER_LABEL_ANALYSIS.md @@ -0,0 +1,2390 @@ +# US Parameter Label Analysis + +Generated from policyengine.py analysis of policyengine-us parameters. + +## Summary + +| Metric | Count | Percentage | +|--------|-------|------------| +| Total parameters | 53,824 | 100% | +| **With final label** (explicit or generated) | 17,519 | 32.5% | +| **Without final label** | 36,305 | 67.5% | + +## Breakdown by Category + +| Category | Count | Percentage | Description | +|----------|-------|------------|-------------| +| Explicit label | 4,835 | 9.0% | Has label defined in YAML metadata | +| Bracket with scale label | 7,057 | 13.1% | Bracket param where parent scale has label → label generated | +| Bracket without scale label | 68 | 0.1% | Bracket param where parent scale has no label → NO label | +| Breakdown with parent label | 5,627 | 10.5% | Breakdown param where parent has label → label generated | +| Breakdown without parent label | 497 | 0.9% | Breakdown param where parent has no label → NO label | +| **Pseudo-breakdown** | 903 | 1.7% | Looks like breakdown (filing_status/state_code children) but no breakdown metadata | +| Regular without label | 35,740 | 66.4% | Not a bracket or breakdown, no explicit label | + +--- + +## Bracket Without Scale Label (Complete List) + +**68 params across 8 scales** + +These bracket params have no label because their parent ParameterScale has no label. + +### Scale: `gov.irs.credits.education.american_opportunity_credit.amount` + +**6 params** + +- `gov.irs.credits.education.american_opportunity_credit.amount[0].rate` +- `gov.irs.credits.education.american_opportunity_credit.amount[0].threshold` +- `gov.irs.credits.education.american_opportunity_credit.amount[1].rate` +- `gov.irs.credits.education.american_opportunity_credit.amount[1].threshold` +- `gov.irs.credits.education.american_opportunity_credit.amount[2].rate` +- `gov.irs.credits.education.american_opportunity_credit.amount[2].threshold` + +### Scale: `gov.irs.credits.eitc.phase_out.joint_bonus` + +**2 params** + +- `gov.irs.credits.eitc.phase_out.joint_bonus[0].threshold` +- `gov.irs.credits.eitc.phase_out.joint_bonus[1].threshold` + +### Scale: `gov.irs.credits.premium_tax_credit.eligibility` + +**6 params** + +- `gov.irs.credits.premium_tax_credit.eligibility[0].amount` +- `gov.irs.credits.premium_tax_credit.eligibility[0].threshold` +- `gov.irs.credits.premium_tax_credit.eligibility[1].amount` +- `gov.irs.credits.premium_tax_credit.eligibility[1].threshold` +- `gov.irs.credits.premium_tax_credit.eligibility[2].amount` +- `gov.irs.credits.premium_tax_credit.eligibility[2].threshold` + +### Scale: `gov.irs.credits.premium_tax_credit.phase_out.ending_rate` + +**14 params** + +- `gov.irs.credits.premium_tax_credit.phase_out.ending_rate[0].amount` +- `gov.irs.credits.premium_tax_credit.phase_out.ending_rate[0].threshold` +- `gov.irs.credits.premium_tax_credit.phase_out.ending_rate[1].amount` +- `gov.irs.credits.premium_tax_credit.phase_out.ending_rate[1].threshold` +- `gov.irs.credits.premium_tax_credit.phase_out.ending_rate[2].amount` +- `gov.irs.credits.premium_tax_credit.phase_out.ending_rate[2].threshold` +- `gov.irs.credits.premium_tax_credit.phase_out.ending_rate[3].amount` +- `gov.irs.credits.premium_tax_credit.phase_out.ending_rate[3].threshold` +- `gov.irs.credits.premium_tax_credit.phase_out.ending_rate[4].amount` +- `gov.irs.credits.premium_tax_credit.phase_out.ending_rate[4].threshold` +- `gov.irs.credits.premium_tax_credit.phase_out.ending_rate[5].amount` +- `gov.irs.credits.premium_tax_credit.phase_out.ending_rate[5].threshold` +- `gov.irs.credits.premium_tax_credit.phase_out.ending_rate[6].amount` +- `gov.irs.credits.premium_tax_credit.phase_out.ending_rate[6].threshold` + +### Scale: `gov.irs.credits.premium_tax_credit.phase_out.starting_rate` + +**14 params** + +- `gov.irs.credits.premium_tax_credit.phase_out.starting_rate[0].amount` +- `gov.irs.credits.premium_tax_credit.phase_out.starting_rate[0].threshold` +- `gov.irs.credits.premium_tax_credit.phase_out.starting_rate[1].amount` +- `gov.irs.credits.premium_tax_credit.phase_out.starting_rate[1].threshold` +- `gov.irs.credits.premium_tax_credit.phase_out.starting_rate[2].amount` +- `gov.irs.credits.premium_tax_credit.phase_out.starting_rate[2].threshold` +- `gov.irs.credits.premium_tax_credit.phase_out.starting_rate[3].amount` +- `gov.irs.credits.premium_tax_credit.phase_out.starting_rate[3].threshold` +- `gov.irs.credits.premium_tax_credit.phase_out.starting_rate[4].amount` +- `gov.irs.credits.premium_tax_credit.phase_out.starting_rate[4].threshold` +- `gov.irs.credits.premium_tax_credit.phase_out.starting_rate[5].amount` +- `gov.irs.credits.premium_tax_credit.phase_out.starting_rate[5].threshold` +- `gov.irs.credits.premium_tax_credit.phase_out.starting_rate[6].amount` +- `gov.irs.credits.premium_tax_credit.phase_out.starting_rate[6].threshold` + +### Scale: `gov.states.dc.tax.income.credits.ptc.fraction_elderly` + +**4 params** + +- `gov.states.dc.tax.income.credits.ptc.fraction_elderly[0].amount` +- `gov.states.dc.tax.income.credits.ptc.fraction_elderly[0].threshold` +- `gov.states.dc.tax.income.credits.ptc.fraction_elderly[1].amount` +- `gov.states.dc.tax.income.credits.ptc.fraction_elderly[1].threshold` + +### Scale: `gov.states.dc.tax.income.credits.ptc.fraction_nonelderly` + +**8 params** + +- `gov.states.dc.tax.income.credits.ptc.fraction_nonelderly[0].amount` +- `gov.states.dc.tax.income.credits.ptc.fraction_nonelderly[0].threshold` +- `gov.states.dc.tax.income.credits.ptc.fraction_nonelderly[1].amount` +- `gov.states.dc.tax.income.credits.ptc.fraction_nonelderly[1].threshold` +- `gov.states.dc.tax.income.credits.ptc.fraction_nonelderly[2].amount` +- `gov.states.dc.tax.income.credits.ptc.fraction_nonelderly[2].threshold` +- `gov.states.dc.tax.income.credits.ptc.fraction_nonelderly[3].amount` +- `gov.states.dc.tax.income.credits.ptc.fraction_nonelderly[3].threshold` + +### Scale: `gov.states.dc.tax.income.rates` + +**14 params** + +- `gov.states.dc.tax.income.rates[0].rate` +- `gov.states.dc.tax.income.rates[0].threshold` +- `gov.states.dc.tax.income.rates[1].rate` +- `gov.states.dc.tax.income.rates[1].threshold` +- `gov.states.dc.tax.income.rates[2].rate` +- `gov.states.dc.tax.income.rates[2].threshold` +- `gov.states.dc.tax.income.rates[3].rate` +- `gov.states.dc.tax.income.rates[3].threshold` +- `gov.states.dc.tax.income.rates[4].rate` +- `gov.states.dc.tax.income.rates[4].threshold` +- `gov.states.dc.tax.income.rates[5].rate` +- `gov.states.dc.tax.income.rates[5].threshold` +- `gov.states.dc.tax.income.rates[6].rate` +- `gov.states.dc.tax.income.rates[6].threshold` + +--- + +## Breakdown Without Parent Label (Complete List) + +**497 params across 12 parents** + +These breakdown params have no label because their parent node has `breakdown` metadata but no `label`. + +### Parent: `gov.hhs.tanf.non_cash.asset_limit` + +- **Breakdown variable**: `['state_code']` +- **59 params** + +- `gov.hhs.tanf.non_cash.asset_limit.AA` +- `gov.hhs.tanf.non_cash.asset_limit.AE` +- `gov.hhs.tanf.non_cash.asset_limit.AK` +- `gov.hhs.tanf.non_cash.asset_limit.AL` +- `gov.hhs.tanf.non_cash.asset_limit.AP` +- `gov.hhs.tanf.non_cash.asset_limit.AR` +- `gov.hhs.tanf.non_cash.asset_limit.AZ` +- `gov.hhs.tanf.non_cash.asset_limit.CA` +- `gov.hhs.tanf.non_cash.asset_limit.CO` +- `gov.hhs.tanf.non_cash.asset_limit.CT` +- `gov.hhs.tanf.non_cash.asset_limit.DC` +- `gov.hhs.tanf.non_cash.asset_limit.DE` +- `gov.hhs.tanf.non_cash.asset_limit.FL` +- `gov.hhs.tanf.non_cash.asset_limit.GA` +- `gov.hhs.tanf.non_cash.asset_limit.GU` +- `gov.hhs.tanf.non_cash.asset_limit.HI` +- `gov.hhs.tanf.non_cash.asset_limit.IA` +- `gov.hhs.tanf.non_cash.asset_limit.ID` +- `gov.hhs.tanf.non_cash.asset_limit.IL` +- `gov.hhs.tanf.non_cash.asset_limit.IN` +- `gov.hhs.tanf.non_cash.asset_limit.KS` +- `gov.hhs.tanf.non_cash.asset_limit.KY` +- `gov.hhs.tanf.non_cash.asset_limit.LA` +- `gov.hhs.tanf.non_cash.asset_limit.MA` +- `gov.hhs.tanf.non_cash.asset_limit.MD` +- `gov.hhs.tanf.non_cash.asset_limit.ME` +- `gov.hhs.tanf.non_cash.asset_limit.MI` +- `gov.hhs.tanf.non_cash.asset_limit.MN` +- `gov.hhs.tanf.non_cash.asset_limit.MO` +- `gov.hhs.tanf.non_cash.asset_limit.MP` +- `gov.hhs.tanf.non_cash.asset_limit.MS` +- `gov.hhs.tanf.non_cash.asset_limit.MT` +- `gov.hhs.tanf.non_cash.asset_limit.NC` +- `gov.hhs.tanf.non_cash.asset_limit.ND` +- `gov.hhs.tanf.non_cash.asset_limit.NE` +- `gov.hhs.tanf.non_cash.asset_limit.NH` +- `gov.hhs.tanf.non_cash.asset_limit.NJ` +- `gov.hhs.tanf.non_cash.asset_limit.NM` +- `gov.hhs.tanf.non_cash.asset_limit.NV` +- `gov.hhs.tanf.non_cash.asset_limit.NY` +- `gov.hhs.tanf.non_cash.asset_limit.OH` +- `gov.hhs.tanf.non_cash.asset_limit.OK` +- `gov.hhs.tanf.non_cash.asset_limit.OR` +- `gov.hhs.tanf.non_cash.asset_limit.PA` +- `gov.hhs.tanf.non_cash.asset_limit.PR` +- `gov.hhs.tanf.non_cash.asset_limit.PW` +- `gov.hhs.tanf.non_cash.asset_limit.RI` +- `gov.hhs.tanf.non_cash.asset_limit.SC` +- `gov.hhs.tanf.non_cash.asset_limit.SD` +- `gov.hhs.tanf.non_cash.asset_limit.TN` +- `gov.hhs.tanf.non_cash.asset_limit.TX` +- `gov.hhs.tanf.non_cash.asset_limit.UT` +- `gov.hhs.tanf.non_cash.asset_limit.VA` +- `gov.hhs.tanf.non_cash.asset_limit.VI` +- `gov.hhs.tanf.non_cash.asset_limit.VT` +- `gov.hhs.tanf.non_cash.asset_limit.WA` +- `gov.hhs.tanf.non_cash.asset_limit.WI` +- `gov.hhs.tanf.non_cash.asset_limit.WV` +- `gov.hhs.tanf.non_cash.asset_limit.WY` + +### Parent: `gov.hhs.tanf.non_cash.income_limit.gross` + +- **Breakdown variable**: `['state_code']` +- **59 params** + +- `gov.hhs.tanf.non_cash.income_limit.gross.AA` +- `gov.hhs.tanf.non_cash.income_limit.gross.AE` +- `gov.hhs.tanf.non_cash.income_limit.gross.AK` +- `gov.hhs.tanf.non_cash.income_limit.gross.AL` +- `gov.hhs.tanf.non_cash.income_limit.gross.AP` +- `gov.hhs.tanf.non_cash.income_limit.gross.AR` +- `gov.hhs.tanf.non_cash.income_limit.gross.AZ` +- `gov.hhs.tanf.non_cash.income_limit.gross.CA` +- `gov.hhs.tanf.non_cash.income_limit.gross.CO` +- `gov.hhs.tanf.non_cash.income_limit.gross.CT` +- `gov.hhs.tanf.non_cash.income_limit.gross.DC` +- `gov.hhs.tanf.non_cash.income_limit.gross.DE` +- `gov.hhs.tanf.non_cash.income_limit.gross.FL` +- `gov.hhs.tanf.non_cash.income_limit.gross.GA` +- `gov.hhs.tanf.non_cash.income_limit.gross.GU` +- `gov.hhs.tanf.non_cash.income_limit.gross.HI` +- `gov.hhs.tanf.non_cash.income_limit.gross.IA` +- `gov.hhs.tanf.non_cash.income_limit.gross.ID` +- `gov.hhs.tanf.non_cash.income_limit.gross.IL` +- `gov.hhs.tanf.non_cash.income_limit.gross.IN` +- `gov.hhs.tanf.non_cash.income_limit.gross.KS` +- `gov.hhs.tanf.non_cash.income_limit.gross.KY` +- `gov.hhs.tanf.non_cash.income_limit.gross.LA` +- `gov.hhs.tanf.non_cash.income_limit.gross.MA` +- `gov.hhs.tanf.non_cash.income_limit.gross.MD` +- `gov.hhs.tanf.non_cash.income_limit.gross.ME` +- `gov.hhs.tanf.non_cash.income_limit.gross.MI` +- `gov.hhs.tanf.non_cash.income_limit.gross.MN` +- `gov.hhs.tanf.non_cash.income_limit.gross.MO` +- `gov.hhs.tanf.non_cash.income_limit.gross.MP` +- `gov.hhs.tanf.non_cash.income_limit.gross.MS` +- `gov.hhs.tanf.non_cash.income_limit.gross.MT` +- `gov.hhs.tanf.non_cash.income_limit.gross.NC` +- `gov.hhs.tanf.non_cash.income_limit.gross.ND` +- `gov.hhs.tanf.non_cash.income_limit.gross.NE` +- `gov.hhs.tanf.non_cash.income_limit.gross.NH` +- `gov.hhs.tanf.non_cash.income_limit.gross.NJ` +- `gov.hhs.tanf.non_cash.income_limit.gross.NM` +- `gov.hhs.tanf.non_cash.income_limit.gross.NV` +- `gov.hhs.tanf.non_cash.income_limit.gross.NY` +- `gov.hhs.tanf.non_cash.income_limit.gross.OH` +- `gov.hhs.tanf.non_cash.income_limit.gross.OK` +- `gov.hhs.tanf.non_cash.income_limit.gross.OR` +- `gov.hhs.tanf.non_cash.income_limit.gross.PA` +- `gov.hhs.tanf.non_cash.income_limit.gross.PR` +- `gov.hhs.tanf.non_cash.income_limit.gross.PW` +- `gov.hhs.tanf.non_cash.income_limit.gross.RI` +- `gov.hhs.tanf.non_cash.income_limit.gross.SC` +- `gov.hhs.tanf.non_cash.income_limit.gross.SD` +- `gov.hhs.tanf.non_cash.income_limit.gross.TN` +- `gov.hhs.tanf.non_cash.income_limit.gross.TX` +- `gov.hhs.tanf.non_cash.income_limit.gross.UT` +- `gov.hhs.tanf.non_cash.income_limit.gross.VA` +- `gov.hhs.tanf.non_cash.income_limit.gross.VI` +- `gov.hhs.tanf.non_cash.income_limit.gross.VT` +- `gov.hhs.tanf.non_cash.income_limit.gross.WA` +- `gov.hhs.tanf.non_cash.income_limit.gross.WI` +- `gov.hhs.tanf.non_cash.income_limit.gross.WV` +- `gov.hhs.tanf.non_cash.income_limit.gross.WY` + +### Parent: `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod` + +- **Breakdown variable**: `['state_code']` +- **59 params** + +- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.AA` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.AE` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.AK` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.AL` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.AP` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.AR` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.AZ` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.CA` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.CO` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.CT` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.DC` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.DE` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.FL` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.GA` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.GU` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.HI` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.IA` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.ID` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.IL` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.IN` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.KS` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.KY` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.LA` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.MA` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.MD` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.ME` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.MI` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.MN` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.MO` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.MP` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.MS` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.MT` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.NC` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.ND` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.NE` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.NH` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.NJ` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.NM` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.NV` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.NY` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.OH` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.OK` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.OR` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.PA` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.PR` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.PW` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.RI` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.SC` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.SD` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.TN` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.TX` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.UT` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.VA` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.VI` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.VT` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.WA` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.WI` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.WV` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.WY` + +### Parent: `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod` + +- **Breakdown variable**: `['state_code']` +- **59 params** + +- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.AA` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.AE` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.AK` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.AL` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.AP` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.AR` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.AZ` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.CA` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.CO` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.CT` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.DC` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.DE` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.FL` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.GA` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.GU` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.HI` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.IA` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.ID` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.IL` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.IN` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.KS` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.KY` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.LA` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.MA` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.MD` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.ME` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.MI` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.MN` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.MO` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.MP` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.MS` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.MT` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.NC` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.ND` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.NE` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.NH` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.NJ` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.NM` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.NV` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.NY` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.OH` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.OK` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.OR` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.PA` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.PR` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.PW` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.RI` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.SC` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.SD` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.TN` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.TX` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.UT` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.VA` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.VI` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.VT` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.WA` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.WI` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.WV` +- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.WY` + +### Parent: `gov.hhs.tanf.non_cash.requires_all_for_hheod` + +- **Breakdown variable**: `['state_code']` +- **59 params** + +- `gov.hhs.tanf.non_cash.requires_all_for_hheod.AA` +- `gov.hhs.tanf.non_cash.requires_all_for_hheod.AE` +- `gov.hhs.tanf.non_cash.requires_all_for_hheod.AK` +- `gov.hhs.tanf.non_cash.requires_all_for_hheod.AL` +- `gov.hhs.tanf.non_cash.requires_all_for_hheod.AP` +- `gov.hhs.tanf.non_cash.requires_all_for_hheod.AR` +- `gov.hhs.tanf.non_cash.requires_all_for_hheod.AZ` +- `gov.hhs.tanf.non_cash.requires_all_for_hheod.CA` +- `gov.hhs.tanf.non_cash.requires_all_for_hheod.CO` +- `gov.hhs.tanf.non_cash.requires_all_for_hheod.CT` +- `gov.hhs.tanf.non_cash.requires_all_for_hheod.DC` +- `gov.hhs.tanf.non_cash.requires_all_for_hheod.DE` +- `gov.hhs.tanf.non_cash.requires_all_for_hheod.FL` +- `gov.hhs.tanf.non_cash.requires_all_for_hheod.GA` +- `gov.hhs.tanf.non_cash.requires_all_for_hheod.GU` +- `gov.hhs.tanf.non_cash.requires_all_for_hheod.HI` +- `gov.hhs.tanf.non_cash.requires_all_for_hheod.IA` +- `gov.hhs.tanf.non_cash.requires_all_for_hheod.ID` +- `gov.hhs.tanf.non_cash.requires_all_for_hheod.IL` +- `gov.hhs.tanf.non_cash.requires_all_for_hheod.IN` +- `gov.hhs.tanf.non_cash.requires_all_for_hheod.KS` +- `gov.hhs.tanf.non_cash.requires_all_for_hheod.KY` +- `gov.hhs.tanf.non_cash.requires_all_for_hheod.LA` +- `gov.hhs.tanf.non_cash.requires_all_for_hheod.MA` +- `gov.hhs.tanf.non_cash.requires_all_for_hheod.MD` +- `gov.hhs.tanf.non_cash.requires_all_for_hheod.ME` +- `gov.hhs.tanf.non_cash.requires_all_for_hheod.MI` +- `gov.hhs.tanf.non_cash.requires_all_for_hheod.MN` +- `gov.hhs.tanf.non_cash.requires_all_for_hheod.MO` +- `gov.hhs.tanf.non_cash.requires_all_for_hheod.MP` +- `gov.hhs.tanf.non_cash.requires_all_for_hheod.MS` +- `gov.hhs.tanf.non_cash.requires_all_for_hheod.MT` +- `gov.hhs.tanf.non_cash.requires_all_for_hheod.NC` +- `gov.hhs.tanf.non_cash.requires_all_for_hheod.ND` +- `gov.hhs.tanf.non_cash.requires_all_for_hheod.NE` +- `gov.hhs.tanf.non_cash.requires_all_for_hheod.NH` +- `gov.hhs.tanf.non_cash.requires_all_for_hheod.NJ` +- `gov.hhs.tanf.non_cash.requires_all_for_hheod.NM` +- `gov.hhs.tanf.non_cash.requires_all_for_hheod.NV` +- `gov.hhs.tanf.non_cash.requires_all_for_hheod.NY` +- `gov.hhs.tanf.non_cash.requires_all_for_hheod.OH` +- `gov.hhs.tanf.non_cash.requires_all_for_hheod.OK` +- `gov.hhs.tanf.non_cash.requires_all_for_hheod.OR` +- `gov.hhs.tanf.non_cash.requires_all_for_hheod.PA` +- `gov.hhs.tanf.non_cash.requires_all_for_hheod.PR` +- `gov.hhs.tanf.non_cash.requires_all_for_hheod.PW` +- `gov.hhs.tanf.non_cash.requires_all_for_hheod.RI` +- `gov.hhs.tanf.non_cash.requires_all_for_hheod.SC` +- `gov.hhs.tanf.non_cash.requires_all_for_hheod.SD` +- `gov.hhs.tanf.non_cash.requires_all_for_hheod.TN` +- `gov.hhs.tanf.non_cash.requires_all_for_hheod.TX` +- `gov.hhs.tanf.non_cash.requires_all_for_hheod.UT` +- `gov.hhs.tanf.non_cash.requires_all_for_hheod.VA` +- `gov.hhs.tanf.non_cash.requires_all_for_hheod.VI` +- `gov.hhs.tanf.non_cash.requires_all_for_hheod.VT` +- `gov.hhs.tanf.non_cash.requires_all_for_hheod.WA` +- `gov.hhs.tanf.non_cash.requires_all_for_hheod.WI` +- `gov.hhs.tanf.non_cash.requires_all_for_hheod.WV` +- `gov.hhs.tanf.non_cash.requires_all_for_hheod.WY` + +### Parent: `gov.states.md.tanf.maximum_benefit.main` + +- **Breakdown variable**: `['range(1, 9)']` +- **8 params** + +- `gov.states.md.tanf.maximum_benefit.main.1` +- `gov.states.md.tanf.maximum_benefit.main.2` +- `gov.states.md.tanf.maximum_benefit.main.3` +- `gov.states.md.tanf.maximum_benefit.main.4` +- `gov.states.md.tanf.maximum_benefit.main.5` +- `gov.states.md.tanf.maximum_benefit.main.6` +- `gov.states.md.tanf.maximum_benefit.main.7` +- `gov.states.md.tanf.maximum_benefit.main.8` + +### Parent: `gov.states.wi.tax.income.deductions.standard.max` + +- **Breakdown variable**: `['filing_status']` +- **5 params** + +- `gov.states.wi.tax.income.deductions.standard.max.HEAD_OF_HOUSEHOLD` +- `gov.states.wi.tax.income.deductions.standard.max.JOINT` +- `gov.states.wi.tax.income.deductions.standard.max.SEPARATE` +- `gov.states.wi.tax.income.deductions.standard.max.SINGLE` +- `gov.states.wi.tax.income.deductions.standard.max.SURVIVING_SPOUSE` + +### Parent: `gov.states.wi.tax.income.subtractions.unemployment_compensation.income_phase_out.base` + +- **Breakdown variable**: `['filing_status']` +- **5 params** + +- `gov.states.wi.tax.income.subtractions.unemployment_compensation.income_phase_out.base.HEAD_OF_HOUSEHOLD` +- `gov.states.wi.tax.income.subtractions.unemployment_compensation.income_phase_out.base.JOINT` +- `gov.states.wi.tax.income.subtractions.unemployment_compensation.income_phase_out.base.SEPARATE` +- `gov.states.wi.tax.income.subtractions.unemployment_compensation.income_phase_out.base.SINGLE` +- `gov.states.wi.tax.income.subtractions.unemployment_compensation.income_phase_out.base.SURVIVING_SPOUSE` + +### Parent: `gov.usda.snap.income.deductions.excess_medical_expense.standard` + +- **Breakdown variable**: `['state_code']` +- **59 params** + +- `gov.usda.snap.income.deductions.excess_medical_expense.standard.AA` +- `gov.usda.snap.income.deductions.excess_medical_expense.standard.AE` +- `gov.usda.snap.income.deductions.excess_medical_expense.standard.AK` +- `gov.usda.snap.income.deductions.excess_medical_expense.standard.AL` +- `gov.usda.snap.income.deductions.excess_medical_expense.standard.AP` +- `gov.usda.snap.income.deductions.excess_medical_expense.standard.AR` +- `gov.usda.snap.income.deductions.excess_medical_expense.standard.AZ` +- `gov.usda.snap.income.deductions.excess_medical_expense.standard.CA` +- `gov.usda.snap.income.deductions.excess_medical_expense.standard.CO` +- `gov.usda.snap.income.deductions.excess_medical_expense.standard.CT` +- `gov.usda.snap.income.deductions.excess_medical_expense.standard.DC` +- `gov.usda.snap.income.deductions.excess_medical_expense.standard.DE` +- `gov.usda.snap.income.deductions.excess_medical_expense.standard.FL` +- `gov.usda.snap.income.deductions.excess_medical_expense.standard.GA` +- `gov.usda.snap.income.deductions.excess_medical_expense.standard.GU` +- `gov.usda.snap.income.deductions.excess_medical_expense.standard.HI` +- `gov.usda.snap.income.deductions.excess_medical_expense.standard.IA` +- `gov.usda.snap.income.deductions.excess_medical_expense.standard.ID` +- `gov.usda.snap.income.deductions.excess_medical_expense.standard.IL` +- `gov.usda.snap.income.deductions.excess_medical_expense.standard.IN` +- `gov.usda.snap.income.deductions.excess_medical_expense.standard.KS` +- `gov.usda.snap.income.deductions.excess_medical_expense.standard.KY` +- `gov.usda.snap.income.deductions.excess_medical_expense.standard.LA` +- `gov.usda.snap.income.deductions.excess_medical_expense.standard.MA` +- `gov.usda.snap.income.deductions.excess_medical_expense.standard.MD` +- `gov.usda.snap.income.deductions.excess_medical_expense.standard.ME` +- `gov.usda.snap.income.deductions.excess_medical_expense.standard.MI` +- `gov.usda.snap.income.deductions.excess_medical_expense.standard.MN` +- `gov.usda.snap.income.deductions.excess_medical_expense.standard.MO` +- `gov.usda.snap.income.deductions.excess_medical_expense.standard.MP` +- `gov.usda.snap.income.deductions.excess_medical_expense.standard.MS` +- `gov.usda.snap.income.deductions.excess_medical_expense.standard.MT` +- `gov.usda.snap.income.deductions.excess_medical_expense.standard.NC` +- `gov.usda.snap.income.deductions.excess_medical_expense.standard.ND` +- `gov.usda.snap.income.deductions.excess_medical_expense.standard.NE` +- `gov.usda.snap.income.deductions.excess_medical_expense.standard.NH` +- `gov.usda.snap.income.deductions.excess_medical_expense.standard.NJ` +- `gov.usda.snap.income.deductions.excess_medical_expense.standard.NM` +- `gov.usda.snap.income.deductions.excess_medical_expense.standard.NV` +- `gov.usda.snap.income.deductions.excess_medical_expense.standard.NY` +- `gov.usda.snap.income.deductions.excess_medical_expense.standard.OH` +- `gov.usda.snap.income.deductions.excess_medical_expense.standard.OK` +- `gov.usda.snap.income.deductions.excess_medical_expense.standard.OR` +- `gov.usda.snap.income.deductions.excess_medical_expense.standard.PA` +- `gov.usda.snap.income.deductions.excess_medical_expense.standard.PR` +- `gov.usda.snap.income.deductions.excess_medical_expense.standard.PW` +- `gov.usda.snap.income.deductions.excess_medical_expense.standard.RI` +- `gov.usda.snap.income.deductions.excess_medical_expense.standard.SC` +- `gov.usda.snap.income.deductions.excess_medical_expense.standard.SD` +- `gov.usda.snap.income.deductions.excess_medical_expense.standard.TN` +- `gov.usda.snap.income.deductions.excess_medical_expense.standard.TX` +- `gov.usda.snap.income.deductions.excess_medical_expense.standard.UT` +- `gov.usda.snap.income.deductions.excess_medical_expense.standard.VA` +- `gov.usda.snap.income.deductions.excess_medical_expense.standard.VI` +- `gov.usda.snap.income.deductions.excess_medical_expense.standard.VT` +- `gov.usda.snap.income.deductions.excess_medical_expense.standard.WA` +- `gov.usda.snap.income.deductions.excess_medical_expense.standard.WI` +- `gov.usda.snap.income.deductions.excess_medical_expense.standard.WV` +- `gov.usda.snap.income.deductions.excess_medical_expense.standard.WY` + +### Parent: `gov.usda.snap.income.deductions.utility.limited.main` + +- **Breakdown variable**: `['snap_utility_region']` +- **59 params** + +- `gov.usda.snap.income.deductions.utility.limited.main.AA` +- `gov.usda.snap.income.deductions.utility.limited.main.AE` +- `gov.usda.snap.income.deductions.utility.limited.main.AK` +- `gov.usda.snap.income.deductions.utility.limited.main.AL` +- `gov.usda.snap.income.deductions.utility.limited.main.AP` +- `gov.usda.snap.income.deductions.utility.limited.main.AR` +- `gov.usda.snap.income.deductions.utility.limited.main.AZ` +- `gov.usda.snap.income.deductions.utility.limited.main.CA` +- `gov.usda.snap.income.deductions.utility.limited.main.CO` +- `gov.usda.snap.income.deductions.utility.limited.main.CT` +- `gov.usda.snap.income.deductions.utility.limited.main.DC` +- `gov.usda.snap.income.deductions.utility.limited.main.DE` +- `gov.usda.snap.income.deductions.utility.limited.main.FL` +- `gov.usda.snap.income.deductions.utility.limited.main.GA` +- `gov.usda.snap.income.deductions.utility.limited.main.GU` +- `gov.usda.snap.income.deductions.utility.limited.main.HI` +- `gov.usda.snap.income.deductions.utility.limited.main.IA` +- `gov.usda.snap.income.deductions.utility.limited.main.ID` +- `gov.usda.snap.income.deductions.utility.limited.main.IL` +- `gov.usda.snap.income.deductions.utility.limited.main.IN` +- `gov.usda.snap.income.deductions.utility.limited.main.KS` +- `gov.usda.snap.income.deductions.utility.limited.main.KY` +- `gov.usda.snap.income.deductions.utility.limited.main.LA` +- `gov.usda.snap.income.deductions.utility.limited.main.MA` +- `gov.usda.snap.income.deductions.utility.limited.main.MD` +- `gov.usda.snap.income.deductions.utility.limited.main.ME` +- `gov.usda.snap.income.deductions.utility.limited.main.MI` +- `gov.usda.snap.income.deductions.utility.limited.main.MN` +- `gov.usda.snap.income.deductions.utility.limited.main.MO` +- `gov.usda.snap.income.deductions.utility.limited.main.MP` +- `gov.usda.snap.income.deductions.utility.limited.main.MS` +- `gov.usda.snap.income.deductions.utility.limited.main.MT` +- `gov.usda.snap.income.deductions.utility.limited.main.NC` +- `gov.usda.snap.income.deductions.utility.limited.main.ND` +- `gov.usda.snap.income.deductions.utility.limited.main.NE` +- `gov.usda.snap.income.deductions.utility.limited.main.NH` +- `gov.usda.snap.income.deductions.utility.limited.main.NJ` +- `gov.usda.snap.income.deductions.utility.limited.main.NM` +- `gov.usda.snap.income.deductions.utility.limited.main.NV` +- `gov.usda.snap.income.deductions.utility.limited.main.NY` +- `gov.usda.snap.income.deductions.utility.limited.main.OH` +- `gov.usda.snap.income.deductions.utility.limited.main.OK` +- `gov.usda.snap.income.deductions.utility.limited.main.OR` +- `gov.usda.snap.income.deductions.utility.limited.main.PA` +- `gov.usda.snap.income.deductions.utility.limited.main.PR` +- `gov.usda.snap.income.deductions.utility.limited.main.PW` +- `gov.usda.snap.income.deductions.utility.limited.main.RI` +- `gov.usda.snap.income.deductions.utility.limited.main.SC` +- `gov.usda.snap.income.deductions.utility.limited.main.SD` +- `gov.usda.snap.income.deductions.utility.limited.main.TN` +- `gov.usda.snap.income.deductions.utility.limited.main.TX` +- `gov.usda.snap.income.deductions.utility.limited.main.UT` +- `gov.usda.snap.income.deductions.utility.limited.main.VA` +- `gov.usda.snap.income.deductions.utility.limited.main.VI` +- `gov.usda.snap.income.deductions.utility.limited.main.VT` +- `gov.usda.snap.income.deductions.utility.limited.main.WA` +- `gov.usda.snap.income.deductions.utility.limited.main.WI` +- `gov.usda.snap.income.deductions.utility.limited.main.WV` +- `gov.usda.snap.income.deductions.utility.limited.main.WY` + +### Parent: `gov.usda.snap.max_allotment.additional` + +- **Breakdown variable**: `['snap_region']` +- **7 params** + +- `gov.usda.snap.max_allotment.additional.AK_RURAL_1` +- `gov.usda.snap.max_allotment.additional.AK_RURAL_2` +- `gov.usda.snap.max_allotment.additional.AK_URBAN` +- `gov.usda.snap.max_allotment.additional.CONTIGUOUS_US` +- `gov.usda.snap.max_allotment.additional.GU` +- `gov.usda.snap.max_allotment.additional.HI` +- `gov.usda.snap.max_allotment.additional.VI` + +### Parent: `openfisca.completed_programs.state` + +- **Breakdown variable**: `['state_code']` +- **59 params** + +- `openfisca.completed_programs.state.AA` +- `openfisca.completed_programs.state.AE` +- `openfisca.completed_programs.state.AK` +- `openfisca.completed_programs.state.AL` +- `openfisca.completed_programs.state.AP` +- `openfisca.completed_programs.state.AR` +- `openfisca.completed_programs.state.AZ` +- `openfisca.completed_programs.state.CA` +- `openfisca.completed_programs.state.CO` +- `openfisca.completed_programs.state.CT` +- `openfisca.completed_programs.state.DC` +- `openfisca.completed_programs.state.DE` +- `openfisca.completed_programs.state.FL` +- `openfisca.completed_programs.state.GA` +- `openfisca.completed_programs.state.GU` +- `openfisca.completed_programs.state.HI` +- `openfisca.completed_programs.state.IA` +- `openfisca.completed_programs.state.ID` +- `openfisca.completed_programs.state.IL` +- `openfisca.completed_programs.state.IN` +- `openfisca.completed_programs.state.KS` +- `openfisca.completed_programs.state.KY` +- `openfisca.completed_programs.state.LA` +- `openfisca.completed_programs.state.MA` +- `openfisca.completed_programs.state.MD` +- `openfisca.completed_programs.state.ME` +- `openfisca.completed_programs.state.MI` +- `openfisca.completed_programs.state.MN` +- `openfisca.completed_programs.state.MO` +- `openfisca.completed_programs.state.MP` +- `openfisca.completed_programs.state.MS` +- `openfisca.completed_programs.state.MT` +- `openfisca.completed_programs.state.NC` +- `openfisca.completed_programs.state.ND` +- `openfisca.completed_programs.state.NE` +- `openfisca.completed_programs.state.NH` +- `openfisca.completed_programs.state.NJ` +- `openfisca.completed_programs.state.NM` +- `openfisca.completed_programs.state.NV` +- `openfisca.completed_programs.state.NY` +- `openfisca.completed_programs.state.OH` +- `openfisca.completed_programs.state.OK` +- `openfisca.completed_programs.state.OR` +- `openfisca.completed_programs.state.PA` +- `openfisca.completed_programs.state.PR` +- `openfisca.completed_programs.state.PW` +- `openfisca.completed_programs.state.RI` +- `openfisca.completed_programs.state.SC` +- `openfisca.completed_programs.state.SD` +- `openfisca.completed_programs.state.TN` +- `openfisca.completed_programs.state.TX` +- `openfisca.completed_programs.state.UT` +- `openfisca.completed_programs.state.VA` +- `openfisca.completed_programs.state.VI` +- `openfisca.completed_programs.state.VT` +- `openfisca.completed_programs.state.WA` +- `openfisca.completed_programs.state.WI` +- `openfisca.completed_programs.state.WV` +- `openfisca.completed_programs.state.WY` + +--- + +## Pseudo-Breakdown Params (Complete List) + +**903 params across 61 parents** + +These params have children that look like breakdown values (filing_status or state_code enum values) but the parent node does NOT have `breakdown` metadata set. Adding `breakdown` metadata to these parents would allow automatic label generation. + +### Parent: `calibration.gov.census.populations.by_state` + +- **Expected breakdown type**: `state_code` +- **Parent has label**: False +- **51 params** + +- `calibration.gov.census.populations.by_state.AK` +- `calibration.gov.census.populations.by_state.AL` +- `calibration.gov.census.populations.by_state.AR` +- `calibration.gov.census.populations.by_state.AZ` +- `calibration.gov.census.populations.by_state.CA` +- `calibration.gov.census.populations.by_state.CO` +- `calibration.gov.census.populations.by_state.CT` +- `calibration.gov.census.populations.by_state.DC` +- `calibration.gov.census.populations.by_state.DE` +- `calibration.gov.census.populations.by_state.FL` +- `calibration.gov.census.populations.by_state.GA` +- `calibration.gov.census.populations.by_state.HI` +- `calibration.gov.census.populations.by_state.IA` +- `calibration.gov.census.populations.by_state.ID` +- `calibration.gov.census.populations.by_state.IL` +- `calibration.gov.census.populations.by_state.IN` +- `calibration.gov.census.populations.by_state.KS` +- `calibration.gov.census.populations.by_state.KY` +- `calibration.gov.census.populations.by_state.LA` +- `calibration.gov.census.populations.by_state.MA` +- `calibration.gov.census.populations.by_state.MD` +- `calibration.gov.census.populations.by_state.ME` +- `calibration.gov.census.populations.by_state.MI` +- `calibration.gov.census.populations.by_state.MN` +- `calibration.gov.census.populations.by_state.MO` +- `calibration.gov.census.populations.by_state.MS` +- `calibration.gov.census.populations.by_state.MT` +- `calibration.gov.census.populations.by_state.NC` +- `calibration.gov.census.populations.by_state.ND` +- `calibration.gov.census.populations.by_state.NE` +- `calibration.gov.census.populations.by_state.NH` +- `calibration.gov.census.populations.by_state.NJ` +- `calibration.gov.census.populations.by_state.NM` +- `calibration.gov.census.populations.by_state.NV` +- `calibration.gov.census.populations.by_state.NY` +- `calibration.gov.census.populations.by_state.OH` +- `calibration.gov.census.populations.by_state.OK` +- `calibration.gov.census.populations.by_state.OR` +- `calibration.gov.census.populations.by_state.PA` +- `calibration.gov.census.populations.by_state.RI` +- `calibration.gov.census.populations.by_state.SC` +- `calibration.gov.census.populations.by_state.SD` +- `calibration.gov.census.populations.by_state.TN` +- `calibration.gov.census.populations.by_state.TX` +- `calibration.gov.census.populations.by_state.UT` +- `calibration.gov.census.populations.by_state.VA` +- `calibration.gov.census.populations.by_state.VT` +- `calibration.gov.census.populations.by_state.WA` +- `calibration.gov.census.populations.by_state.WI` +- `calibration.gov.census.populations.by_state.WV` +- `calibration.gov.census.populations.by_state.WY` + +### Parent: `calibration.gov.hhs.medicaid.totals.enrollment` + +- **Expected breakdown type**: `state_code` +- **Parent has label**: False +- **51 params** + +- `calibration.gov.hhs.medicaid.totals.enrollment.AK` +- `calibration.gov.hhs.medicaid.totals.enrollment.AL` +- `calibration.gov.hhs.medicaid.totals.enrollment.AR` +- `calibration.gov.hhs.medicaid.totals.enrollment.AZ` +- `calibration.gov.hhs.medicaid.totals.enrollment.CA` +- `calibration.gov.hhs.medicaid.totals.enrollment.CO` +- `calibration.gov.hhs.medicaid.totals.enrollment.CT` +- `calibration.gov.hhs.medicaid.totals.enrollment.DC` +- `calibration.gov.hhs.medicaid.totals.enrollment.DE` +- `calibration.gov.hhs.medicaid.totals.enrollment.FL` +- `calibration.gov.hhs.medicaid.totals.enrollment.GA` +- `calibration.gov.hhs.medicaid.totals.enrollment.HI` +- `calibration.gov.hhs.medicaid.totals.enrollment.IA` +- `calibration.gov.hhs.medicaid.totals.enrollment.ID` +- `calibration.gov.hhs.medicaid.totals.enrollment.IL` +- `calibration.gov.hhs.medicaid.totals.enrollment.IN` +- `calibration.gov.hhs.medicaid.totals.enrollment.KS` +- `calibration.gov.hhs.medicaid.totals.enrollment.KY` +- `calibration.gov.hhs.medicaid.totals.enrollment.LA` +- `calibration.gov.hhs.medicaid.totals.enrollment.MA` +- `calibration.gov.hhs.medicaid.totals.enrollment.MD` +- `calibration.gov.hhs.medicaid.totals.enrollment.ME` +- `calibration.gov.hhs.medicaid.totals.enrollment.MI` +- `calibration.gov.hhs.medicaid.totals.enrollment.MN` +- `calibration.gov.hhs.medicaid.totals.enrollment.MO` +- `calibration.gov.hhs.medicaid.totals.enrollment.MS` +- `calibration.gov.hhs.medicaid.totals.enrollment.MT` +- `calibration.gov.hhs.medicaid.totals.enrollment.NC` +- `calibration.gov.hhs.medicaid.totals.enrollment.ND` +- `calibration.gov.hhs.medicaid.totals.enrollment.NE` +- `calibration.gov.hhs.medicaid.totals.enrollment.NH` +- `calibration.gov.hhs.medicaid.totals.enrollment.NJ` +- `calibration.gov.hhs.medicaid.totals.enrollment.NM` +- `calibration.gov.hhs.medicaid.totals.enrollment.NV` +- `calibration.gov.hhs.medicaid.totals.enrollment.NY` +- `calibration.gov.hhs.medicaid.totals.enrollment.OH` +- `calibration.gov.hhs.medicaid.totals.enrollment.OK` +- `calibration.gov.hhs.medicaid.totals.enrollment.OR` +- `calibration.gov.hhs.medicaid.totals.enrollment.PA` +- `calibration.gov.hhs.medicaid.totals.enrollment.RI` +- `calibration.gov.hhs.medicaid.totals.enrollment.SC` +- `calibration.gov.hhs.medicaid.totals.enrollment.SD` +- `calibration.gov.hhs.medicaid.totals.enrollment.TN` +- `calibration.gov.hhs.medicaid.totals.enrollment.TX` +- `calibration.gov.hhs.medicaid.totals.enrollment.UT` +- `calibration.gov.hhs.medicaid.totals.enrollment.VA` +- `calibration.gov.hhs.medicaid.totals.enrollment.VT` +- `calibration.gov.hhs.medicaid.totals.enrollment.WA` +- `calibration.gov.hhs.medicaid.totals.enrollment.WI` +- `calibration.gov.hhs.medicaid.totals.enrollment.WV` +- `calibration.gov.hhs.medicaid.totals.enrollment.WY` + +### Parent: `calibration.gov.hhs.medicaid.totals.spending` + +- **Expected breakdown type**: `state_code` +- **Parent has label**: False +- **51 params** + +- `calibration.gov.hhs.medicaid.totals.spending.AK` +- `calibration.gov.hhs.medicaid.totals.spending.AL` +- `calibration.gov.hhs.medicaid.totals.spending.AR` +- `calibration.gov.hhs.medicaid.totals.spending.AZ` +- `calibration.gov.hhs.medicaid.totals.spending.CA` +- `calibration.gov.hhs.medicaid.totals.spending.CO` +- `calibration.gov.hhs.medicaid.totals.spending.CT` +- `calibration.gov.hhs.medicaid.totals.spending.DC` +- `calibration.gov.hhs.medicaid.totals.spending.DE` +- `calibration.gov.hhs.medicaid.totals.spending.FL` +- `calibration.gov.hhs.medicaid.totals.spending.GA` +- `calibration.gov.hhs.medicaid.totals.spending.HI` +- `calibration.gov.hhs.medicaid.totals.spending.IA` +- `calibration.gov.hhs.medicaid.totals.spending.ID` +- `calibration.gov.hhs.medicaid.totals.spending.IL` +- `calibration.gov.hhs.medicaid.totals.spending.IN` +- `calibration.gov.hhs.medicaid.totals.spending.KS` +- `calibration.gov.hhs.medicaid.totals.spending.KY` +- `calibration.gov.hhs.medicaid.totals.spending.LA` +- `calibration.gov.hhs.medicaid.totals.spending.MA` +- `calibration.gov.hhs.medicaid.totals.spending.MD` +- `calibration.gov.hhs.medicaid.totals.spending.ME` +- `calibration.gov.hhs.medicaid.totals.spending.MI` +- `calibration.gov.hhs.medicaid.totals.spending.MN` +- `calibration.gov.hhs.medicaid.totals.spending.MO` +- `calibration.gov.hhs.medicaid.totals.spending.MS` +- `calibration.gov.hhs.medicaid.totals.spending.MT` +- `calibration.gov.hhs.medicaid.totals.spending.NC` +- `calibration.gov.hhs.medicaid.totals.spending.ND` +- `calibration.gov.hhs.medicaid.totals.spending.NE` +- `calibration.gov.hhs.medicaid.totals.spending.NH` +- `calibration.gov.hhs.medicaid.totals.spending.NJ` +- `calibration.gov.hhs.medicaid.totals.spending.NM` +- `calibration.gov.hhs.medicaid.totals.spending.NV` +- `calibration.gov.hhs.medicaid.totals.spending.NY` +- `calibration.gov.hhs.medicaid.totals.spending.OH` +- `calibration.gov.hhs.medicaid.totals.spending.OK` +- `calibration.gov.hhs.medicaid.totals.spending.OR` +- `calibration.gov.hhs.medicaid.totals.spending.PA` +- `calibration.gov.hhs.medicaid.totals.spending.RI` +- `calibration.gov.hhs.medicaid.totals.spending.SC` +- `calibration.gov.hhs.medicaid.totals.spending.SD` +- `calibration.gov.hhs.medicaid.totals.spending.TN` +- `calibration.gov.hhs.medicaid.totals.spending.TX` +- `calibration.gov.hhs.medicaid.totals.spending.UT` +- `calibration.gov.hhs.medicaid.totals.spending.VA` +- `calibration.gov.hhs.medicaid.totals.spending.VT` +- `calibration.gov.hhs.medicaid.totals.spending.WA` +- `calibration.gov.hhs.medicaid.totals.spending.WI` +- `calibration.gov.hhs.medicaid.totals.spending.WV` +- `calibration.gov.hhs.medicaid.totals.spending.WY` + +### Parent: `calibration.gov.irs.soi.returns_by_filing_status` + +- **Expected breakdown type**: `filing_status` +- **Parent has label**: True +- **4 params** + +- `calibration.gov.irs.soi.returns_by_filing_status.HEAD_OF_HOUSEHOLD` +- `calibration.gov.irs.soi.returns_by_filing_status.JOINT` +- `calibration.gov.irs.soi.returns_by_filing_status.SEPARATE` +- `calibration.gov.irs.soi.returns_by_filing_status.SINGLE` + +### Parent: `gov.contrib.additional_tax_bracket.bracket.thresholds.1` + +- **Expected breakdown type**: `filing_status` +- **Parent has label**: False +- **5 params** + +- `gov.contrib.additional_tax_bracket.bracket.thresholds.1.HEAD_OF_HOUSEHOLD` +- `gov.contrib.additional_tax_bracket.bracket.thresholds.1.JOINT` +- `gov.contrib.additional_tax_bracket.bracket.thresholds.1.SEPARATE` +- `gov.contrib.additional_tax_bracket.bracket.thresholds.1.SINGLE` +- `gov.contrib.additional_tax_bracket.bracket.thresholds.1.SURVIVING_SPOUSE` + +### Parent: `gov.contrib.additional_tax_bracket.bracket.thresholds.2` + +- **Expected breakdown type**: `filing_status` +- **Parent has label**: False +- **5 params** + +- `gov.contrib.additional_tax_bracket.bracket.thresholds.2.HEAD_OF_HOUSEHOLD` +- `gov.contrib.additional_tax_bracket.bracket.thresholds.2.JOINT` +- `gov.contrib.additional_tax_bracket.bracket.thresholds.2.SEPARATE` +- `gov.contrib.additional_tax_bracket.bracket.thresholds.2.SINGLE` +- `gov.contrib.additional_tax_bracket.bracket.thresholds.2.SURVIVING_SPOUSE` + +### Parent: `gov.contrib.additional_tax_bracket.bracket.thresholds.3` + +- **Expected breakdown type**: `filing_status` +- **Parent has label**: False +- **5 params** + +- `gov.contrib.additional_tax_bracket.bracket.thresholds.3.HEAD_OF_HOUSEHOLD` +- `gov.contrib.additional_tax_bracket.bracket.thresholds.3.JOINT` +- `gov.contrib.additional_tax_bracket.bracket.thresholds.3.SEPARATE` +- `gov.contrib.additional_tax_bracket.bracket.thresholds.3.SINGLE` +- `gov.contrib.additional_tax_bracket.bracket.thresholds.3.SURVIVING_SPOUSE` + +### Parent: `gov.contrib.additional_tax_bracket.bracket.thresholds.4` + +- **Expected breakdown type**: `filing_status` +- **Parent has label**: False +- **5 params** + +- `gov.contrib.additional_tax_bracket.bracket.thresholds.4.HEAD_OF_HOUSEHOLD` +- `gov.contrib.additional_tax_bracket.bracket.thresholds.4.JOINT` +- `gov.contrib.additional_tax_bracket.bracket.thresholds.4.SEPARATE` +- `gov.contrib.additional_tax_bracket.bracket.thresholds.4.SINGLE` +- `gov.contrib.additional_tax_bracket.bracket.thresholds.4.SURVIVING_SPOUSE` + +### Parent: `gov.contrib.additional_tax_bracket.bracket.thresholds.5` + +- **Expected breakdown type**: `filing_status` +- **Parent has label**: False +- **5 params** + +- `gov.contrib.additional_tax_bracket.bracket.thresholds.5.HEAD_OF_HOUSEHOLD` +- `gov.contrib.additional_tax_bracket.bracket.thresholds.5.JOINT` +- `gov.contrib.additional_tax_bracket.bracket.thresholds.5.SEPARATE` +- `gov.contrib.additional_tax_bracket.bracket.thresholds.5.SINGLE` +- `gov.contrib.additional_tax_bracket.bracket.thresholds.5.SURVIVING_SPOUSE` + +### Parent: `gov.contrib.additional_tax_bracket.bracket.thresholds.6` + +- **Expected breakdown type**: `filing_status` +- **Parent has label**: False +- **5 params** + +- `gov.contrib.additional_tax_bracket.bracket.thresholds.6.HEAD_OF_HOUSEHOLD` +- `gov.contrib.additional_tax_bracket.bracket.thresholds.6.JOINT` +- `gov.contrib.additional_tax_bracket.bracket.thresholds.6.SEPARATE` +- `gov.contrib.additional_tax_bracket.bracket.thresholds.6.SINGLE` +- `gov.contrib.additional_tax_bracket.bracket.thresholds.6.SURVIVING_SPOUSE` + +### Parent: `gov.contrib.additional_tax_bracket.bracket.thresholds.7` + +- **Expected breakdown type**: `filing_status` +- **Parent has label**: False +- **5 params** + +- `gov.contrib.additional_tax_bracket.bracket.thresholds.7.HEAD_OF_HOUSEHOLD` +- `gov.contrib.additional_tax_bracket.bracket.thresholds.7.JOINT` +- `gov.contrib.additional_tax_bracket.bracket.thresholds.7.SEPARATE` +- `gov.contrib.additional_tax_bracket.bracket.thresholds.7.SINGLE` +- `gov.contrib.additional_tax_bracket.bracket.thresholds.7.SURVIVING_SPOUSE` + +### Parent: `gov.contrib.additional_tax_bracket.bracket.thresholds.8` + +- **Expected breakdown type**: `filing_status` +- **Parent has label**: False +- **5 params** + +- `gov.contrib.additional_tax_bracket.bracket.thresholds.8.HEAD_OF_HOUSEHOLD` +- `gov.contrib.additional_tax_bracket.bracket.thresholds.8.JOINT` +- `gov.contrib.additional_tax_bracket.bracket.thresholds.8.SEPARATE` +- `gov.contrib.additional_tax_bracket.bracket.thresholds.8.SINGLE` +- `gov.contrib.additional_tax_bracket.bracket.thresholds.8.SURVIVING_SPOUSE` + +### Parent: `gov.contrib.congress.wftca.bonus_guaranteed_deduction.amount` + +- **Expected breakdown type**: `filing_status` +- **Parent has label**: True +- **5 params** + +- `gov.contrib.congress.wftca.bonus_guaranteed_deduction.amount.HEAD_OF_HOUSEHOLD` +- `gov.contrib.congress.wftca.bonus_guaranteed_deduction.amount.JOINT` +- `gov.contrib.congress.wftca.bonus_guaranteed_deduction.amount.SEPARATE` +- `gov.contrib.congress.wftca.bonus_guaranteed_deduction.amount.SINGLE` +- `gov.contrib.congress.wftca.bonus_guaranteed_deduction.amount.SURVIVING_SPOUSE` + +### Parent: `gov.contrib.congress.wftca.bonus_guaranteed_deduction.phase_out.threshold` + +- **Expected breakdown type**: `filing_status` +- **Parent has label**: True +- **5 params** + +- `gov.contrib.congress.wftca.bonus_guaranteed_deduction.phase_out.threshold.HEAD_OF_HOUSEHOLD` +- `gov.contrib.congress.wftca.bonus_guaranteed_deduction.phase_out.threshold.JOINT` +- `gov.contrib.congress.wftca.bonus_guaranteed_deduction.phase_out.threshold.SEPARATE` +- `gov.contrib.congress.wftca.bonus_guaranteed_deduction.phase_out.threshold.SINGLE` +- `gov.contrib.congress.wftca.bonus_guaranteed_deduction.phase_out.threshold.SURVIVING_SPOUSE` + +### Parent: `gov.contrib.harris.capital_gains.thresholds.1` + +- **Expected breakdown type**: `filing_status` +- **Parent has label**: False +- **5 params** + +- `gov.contrib.harris.capital_gains.thresholds.1.HEAD_OF_HOUSEHOLD` +- `gov.contrib.harris.capital_gains.thresholds.1.JOINT` +- `gov.contrib.harris.capital_gains.thresholds.1.SEPARATE` +- `gov.contrib.harris.capital_gains.thresholds.1.SINGLE` +- `gov.contrib.harris.capital_gains.thresholds.1.SURVIVING_SPOUSE` + +### Parent: `gov.contrib.harris.capital_gains.thresholds.2` + +- **Expected breakdown type**: `filing_status` +- **Parent has label**: False +- **5 params** + +- `gov.contrib.harris.capital_gains.thresholds.2.HEAD_OF_HOUSEHOLD` +- `gov.contrib.harris.capital_gains.thresholds.2.JOINT` +- `gov.contrib.harris.capital_gains.thresholds.2.SEPARATE` +- `gov.contrib.harris.capital_gains.thresholds.2.SINGLE` +- `gov.contrib.harris.capital_gains.thresholds.2.SURVIVING_SPOUSE` + +### Parent: `gov.contrib.harris.capital_gains.thresholds.3` + +- **Expected breakdown type**: `filing_status` +- **Parent has label**: False +- **5 params** + +- `gov.contrib.harris.capital_gains.thresholds.3.HEAD_OF_HOUSEHOLD` +- `gov.contrib.harris.capital_gains.thresholds.3.JOINT` +- `gov.contrib.harris.capital_gains.thresholds.3.SEPARATE` +- `gov.contrib.harris.capital_gains.thresholds.3.SINGLE` +- `gov.contrib.harris.capital_gains.thresholds.3.SURVIVING_SPOUSE` + +### Parent: `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child` + +- **Expected breakdown type**: `state_code` +- **Parent has label**: True +- **51 params** + +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.AK` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.AL` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.AR` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.AZ` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.CA` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.CO` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.CT` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.DC` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.DE` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.FL` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.GA` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.HI` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.IA` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.ID` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.IL` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.IN` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.KS` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.KY` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.LA` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.MA` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.MD` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.ME` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.MI` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.MN` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.MO` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.MS` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.MT` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.NC` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.ND` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.NE` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.NH` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.NJ` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.NM` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.NV` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.NY` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.OH` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.OK` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.OR` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.PA` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.RI` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.SC` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.SD` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.TN` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.TX` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.UT` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.VA` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.VT` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.WA` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.WI` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.WV` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.WY` + +### Parent: `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled` + +- **Expected breakdown type**: `state_code` +- **Parent has label**: True +- **51 params** + +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.AK` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.AL` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.AR` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.AZ` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.CA` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.CO` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.CT` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.DC` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.DE` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.FL` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.GA` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.HI` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.IA` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.ID` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.IL` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.IN` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.KS` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.KY` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.LA` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.MA` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.MD` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.ME` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.MI` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.MN` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.MO` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.MS` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.MT` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.NC` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.ND` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.NE` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.NH` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.NJ` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.NM` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.NV` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.NY` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.OH` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.OK` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.OR` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.PA` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.RI` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.SC` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.SD` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.TN` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.TX` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.UT` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.VA` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.VT` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.WA` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.WI` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.WV` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.WY` + +### Parent: `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent` + +- **Expected breakdown type**: `state_code` +- **Parent has label**: False +- **51 params** + +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.AK` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.AL` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.AR` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.AZ` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.CA` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.CO` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.CT` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.DC` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.DE` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.FL` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.GA` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.HI` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.IA` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.ID` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.IL` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.IN` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.KS` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.KY` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.LA` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.MA` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.MD` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.ME` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.MI` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.MN` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.MO` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.MS` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.MT` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.NC` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.ND` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.NE` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.NH` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.NJ` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.NM` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.NV` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.NY` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.OH` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.OK` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.OR` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.PA` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.RI` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.SC` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.SD` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.TN` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.TX` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.UT` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.VA` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.VT` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.WA` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.WI` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.WV` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.WY` + +### Parent: `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant` + +- **Expected breakdown type**: `state_code` +- **Parent has label**: True +- **51 params** + +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.AK` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.AL` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.AR` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.AZ` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.CA` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.CO` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.CT` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.DC` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.DE` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.FL` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.GA` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.HI` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.IA` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.ID` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.IL` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.IN` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.KS` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.KY` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.LA` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.MA` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.MD` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.ME` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.MI` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.MN` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.MO` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.MS` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.MT` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.NC` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.ND` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.NE` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.NH` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.NJ` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.NM` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.NV` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.NY` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.OH` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.OK` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.OR` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.PA` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.RI` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.SC` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.SD` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.TN` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.TX` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.UT` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.VA` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.VT` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.WA` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.WI` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.WV` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.WY` + +### Parent: `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior` + +- **Expected breakdown type**: `state_code` +- **Parent has label**: True +- **51 params** + +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.AK` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.AL` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.AR` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.AZ` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.CA` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.CO` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.CT` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.DC` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.DE` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.FL` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.GA` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.HI` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.IA` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.ID` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.IL` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.IN` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.KS` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.KY` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.LA` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.MA` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.MD` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.ME` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.MI` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.MN` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.MO` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.MS` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.MT` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.NC` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.ND` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.NE` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.NH` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.NJ` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.NM` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.NV` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.NY` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.OH` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.OK` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.OR` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.PA` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.RI` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.SC` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.SD` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.TN` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.TX` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.UT` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.VA` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.VT` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.WA` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.WI` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.WV` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.WY` + +### Parent: `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple` + +- **Expected breakdown type**: `state_code` +- **Parent has label**: True +- **51 params** + +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.AK` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.AL` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.AR` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.AZ` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.CA` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.CO` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.CT` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.DC` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.DE` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.FL` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.GA` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.HI` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.IA` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.ID` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.IL` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.IN` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.KS` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.KY` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.LA` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.MA` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.MD` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.ME` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.MI` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.MN` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.MO` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.MS` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.MT` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.NC` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.ND` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.NE` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.NH` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.NJ` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.NM` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.NV` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.NY` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.OH` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.OK` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.OR` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.PA` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.RI` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.SC` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.SD` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.TN` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.TX` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.UT` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.VA` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.VT` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.WA` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.WI` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.WV` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.WY` + +### Parent: `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual` + +- **Expected breakdown type**: `state_code` +- **Parent has label**: True +- **51 params** + +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.AK` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.AL` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.AR` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.AZ` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.CA` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.CO` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.CT` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.DC` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.DE` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.FL` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.GA` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.HI` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.IA` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.ID` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.IL` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.IN` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.KS` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.KY` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.LA` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.MA` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.MD` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.ME` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.MI` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.MN` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.MO` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.MS` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.MT` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.NC` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.ND` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.NE` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.NH` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.NJ` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.NM` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.NV` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.NY` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.OH` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.OK` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.OR` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.PA` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.RI` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.SC` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.SD` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.TN` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.TX` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.UT` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.VA` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.VT` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.WA` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.WI` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.WV` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.WY` + +### Parent: `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple` + +- **Expected breakdown type**: `state_code` +- **Parent has label**: True +- **51 params** + +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.AK` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.AL` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.AR` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.AZ` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.CA` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.CO` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.CT` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.DC` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.DE` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.FL` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.GA` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.HI` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.IA` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.ID` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.IL` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.IN` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.KS` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.KY` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.LA` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.MA` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.MD` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.ME` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.MI` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.MN` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.MO` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.MS` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.MT` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.NC` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.ND` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.NE` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.NH` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.NJ` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.NM` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.NV` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.NY` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.OH` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.OK` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.OR` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.PA` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.RI` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.SC` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.SD` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.TN` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.TX` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.UT` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.VA` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.VT` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.WA` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.WI` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.WV` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.WY` + +### Parent: `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual` + +- **Expected breakdown type**: `state_code` +- **Parent has label**: True +- **51 params** + +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.AK` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.AL` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.AR` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.AZ` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.CA` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.CO` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.CT` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.DC` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.DE` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.FL` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.GA` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.HI` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.IA` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.ID` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.IL` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.IN` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.KS` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.KY` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.LA` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.MA` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.MD` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.ME` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.MI` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.MN` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.MO` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.MS` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.MT` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.NC` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.ND` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.NE` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.NH` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.NJ` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.NM` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.NV` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.NY` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.OH` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.OK` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.OR` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.PA` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.RI` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.SC` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.SD` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.TN` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.TX` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.UT` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.VA` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.VT` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.WA` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.WI` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.WV` +- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.WY` + +### Parent: `gov.hhs.smi.amount` + +- **Expected breakdown type**: `state_code` +- **Parent has label**: True +- **52 params** + +- `gov.hhs.smi.amount.AK` +- `gov.hhs.smi.amount.AL` +- `gov.hhs.smi.amount.AR` +- `gov.hhs.smi.amount.AZ` +- `gov.hhs.smi.amount.CA` +- `gov.hhs.smi.amount.CO` +- `gov.hhs.smi.amount.CT` +- `gov.hhs.smi.amount.DC` +- `gov.hhs.smi.amount.DE` +- `gov.hhs.smi.amount.FL` +- `gov.hhs.smi.amount.GA` +- `gov.hhs.smi.amount.HI` +- `gov.hhs.smi.amount.IA` +- `gov.hhs.smi.amount.ID` +- `gov.hhs.smi.amount.IL` +- `gov.hhs.smi.amount.IN` +- `gov.hhs.smi.amount.KS` +- `gov.hhs.smi.amount.KY` +- `gov.hhs.smi.amount.LA` +- `gov.hhs.smi.amount.MA` +- `gov.hhs.smi.amount.MD` +- `gov.hhs.smi.amount.ME` +- `gov.hhs.smi.amount.MI` +- `gov.hhs.smi.amount.MN` +- `gov.hhs.smi.amount.MO` +- `gov.hhs.smi.amount.MS` +- `gov.hhs.smi.amount.MT` +- `gov.hhs.smi.amount.NC` +- `gov.hhs.smi.amount.ND` +- `gov.hhs.smi.amount.NE` +- `gov.hhs.smi.amount.NH` +- `gov.hhs.smi.amount.NJ` +- `gov.hhs.smi.amount.NM` +- `gov.hhs.smi.amount.NV` +- `gov.hhs.smi.amount.NY` +- `gov.hhs.smi.amount.OH` +- `gov.hhs.smi.amount.OK` +- `gov.hhs.smi.amount.OR` +- `gov.hhs.smi.amount.PA` +- `gov.hhs.smi.amount.PR` +- `gov.hhs.smi.amount.RI` +- `gov.hhs.smi.amount.SC` +- `gov.hhs.smi.amount.SD` +- `gov.hhs.smi.amount.TN` +- `gov.hhs.smi.amount.TX` +- `gov.hhs.smi.amount.UT` +- `gov.hhs.smi.amount.VA` +- `gov.hhs.smi.amount.VT` +- `gov.hhs.smi.amount.WA` +- `gov.hhs.smi.amount.WI` +- `gov.hhs.smi.amount.WV` +- `gov.hhs.smi.amount.WY` + +### Parent: `gov.irs.ald.loss.max` + +- **Expected breakdown type**: `filing_status` +- **Parent has label**: True +- **5 params** + +- `gov.irs.ald.loss.max.HEAD_OF_HOUSEHOLD` +- `gov.irs.ald.loss.max.JOINT` +- `gov.irs.ald.loss.max.SEPARATE` +- `gov.irs.ald.loss.max.SINGLE` +- `gov.irs.ald.loss.max.SURVIVING_SPOUSE` + +### Parent: `gov.irs.ald.misc.max_business_losses` + +- **Expected breakdown type**: `filing_status` +- **Parent has label**: False +- **5 params** + +- `gov.irs.ald.misc.max_business_losses.HEAD_OF_HOUSEHOLD` +- `gov.irs.ald.misc.max_business_losses.JOINT` +- `gov.irs.ald.misc.max_business_losses.SEPARATE` +- `gov.irs.ald.misc.max_business_losses.SINGLE` +- `gov.irs.ald.misc.max_business_losses.SURVIVING_SPOUSE` + +### Parent: `gov.irs.capital_gains.loss_limit` + +- **Expected breakdown type**: `filing_status` +- **Parent has label**: False +- **5 params** + +- `gov.irs.capital_gains.loss_limit.HEAD_OF_HOUSEHOLD` +- `gov.irs.capital_gains.loss_limit.JOINT` +- `gov.irs.capital_gains.loss_limit.SEPARATE` +- `gov.irs.capital_gains.loss_limit.SINGLE` +- `gov.irs.capital_gains.loss_limit.SURVIVING_SPOUSE` + +### Parent: `gov.irs.capital_gains.thresholds.1` + +- **Expected breakdown type**: `filing_status` +- **Parent has label**: False +- **5 params** + +- `gov.irs.capital_gains.thresholds.1.HEAD_OF_HOUSEHOLD` +- `gov.irs.capital_gains.thresholds.1.JOINT` +- `gov.irs.capital_gains.thresholds.1.SEPARATE` +- `gov.irs.capital_gains.thresholds.1.SINGLE` +- `gov.irs.capital_gains.thresholds.1.SURVIVING_SPOUSE` + +### Parent: `gov.irs.capital_gains.thresholds.2` + +- **Expected breakdown type**: `filing_status` +- **Parent has label**: False +- **5 params** + +- `gov.irs.capital_gains.thresholds.2.HEAD_OF_HOUSEHOLD` +- `gov.irs.capital_gains.thresholds.2.JOINT` +- `gov.irs.capital_gains.thresholds.2.SEPARATE` +- `gov.irs.capital_gains.thresholds.2.SINGLE` +- `gov.irs.capital_gains.thresholds.2.SURVIVING_SPOUSE` + +### Parent: `gov.irs.credits.cdcc.phase_out.amended_structure.second_increment` + +- **Expected breakdown type**: `filing_status` +- **Parent has label**: True +- **5 params** + +- `gov.irs.credits.cdcc.phase_out.amended_structure.second_increment.HEAD_OF_HOUSEHOLD` +- `gov.irs.credits.cdcc.phase_out.amended_structure.second_increment.JOINT` +- `gov.irs.credits.cdcc.phase_out.amended_structure.second_increment.SEPARATE` +- `gov.irs.credits.cdcc.phase_out.amended_structure.second_increment.SINGLE` +- `gov.irs.credits.cdcc.phase_out.amended_structure.second_increment.SURVIVING_SPOUSE` + +### Parent: `gov.irs.credits.ctc.phase_out.arpa.threshold` + +- **Expected breakdown type**: `filing_status` +- **Parent has label**: True +- **5 params** + +- `gov.irs.credits.ctc.phase_out.arpa.threshold.HEAD_OF_HOUSEHOLD` +- `gov.irs.credits.ctc.phase_out.arpa.threshold.JOINT` +- `gov.irs.credits.ctc.phase_out.arpa.threshold.SEPARATE` +- `gov.irs.credits.ctc.phase_out.arpa.threshold.SINGLE` +- `gov.irs.credits.ctc.phase_out.arpa.threshold.SURVIVING_SPOUSE` + +### Parent: `gov.irs.credits.elderly_or_disabled.phase_out.threshold` + +- **Expected breakdown type**: `filing_status` +- **Parent has label**: False +- **5 params** + +- `gov.irs.credits.elderly_or_disabled.phase_out.threshold.HEAD_OF_HOUSEHOLD` +- `gov.irs.credits.elderly_or_disabled.phase_out.threshold.JOINT` +- `gov.irs.credits.elderly_or_disabled.phase_out.threshold.SEPARATE` +- `gov.irs.credits.elderly_or_disabled.phase_out.threshold.SINGLE` +- `gov.irs.credits.elderly_or_disabled.phase_out.threshold.SURVIVING_SPOUSE` + +### Parent: `gov.irs.deductions.itemized.salt_and_real_estate.cap` + +- **Expected breakdown type**: `filing_status` +- **Parent has label**: True +- **5 params** + +- `gov.irs.deductions.itemized.salt_and_real_estate.cap.HEAD_OF_HOUSEHOLD` +- `gov.irs.deductions.itemized.salt_and_real_estate.cap.JOINT` +- `gov.irs.deductions.itemized.salt_and_real_estate.cap.SEPARATE` +- `gov.irs.deductions.itemized.salt_and_real_estate.cap.SINGLE` +- `gov.irs.deductions.itemized.salt_and_real_estate.cap.SURVIVING_SPOUSE` + +### Parent: `gov.irs.deductions.qbi.phase_out.length` + +- **Expected breakdown type**: `filing_status` +- **Parent has label**: True +- **5 params** + +- `gov.irs.deductions.qbi.phase_out.length.HEAD_OF_HOUSEHOLD` +- `gov.irs.deductions.qbi.phase_out.length.JOINT` +- `gov.irs.deductions.qbi.phase_out.length.SEPARATE` +- `gov.irs.deductions.qbi.phase_out.length.SINGLE` +- `gov.irs.deductions.qbi.phase_out.length.SURVIVING_SPOUSE` + +### Parent: `gov.irs.income.amt.exemption.amount` + +- **Expected breakdown type**: `filing_status` +- **Parent has label**: False +- **5 params** + +- `gov.irs.income.amt.exemption.amount.HEAD_OF_HOUSEHOLD` +- `gov.irs.income.amt.exemption.amount.JOINT` +- `gov.irs.income.amt.exemption.amount.SEPARATE` +- `gov.irs.income.amt.exemption.amount.SINGLE` +- `gov.irs.income.amt.exemption.amount.SURVIVING_SPOUSE` + +### Parent: `gov.irs.income.amt.exemption.phase_out.start` + +- **Expected breakdown type**: `filing_status` +- **Parent has label**: False +- **5 params** + +- `gov.irs.income.amt.exemption.phase_out.start.HEAD_OF_HOUSEHOLD` +- `gov.irs.income.amt.exemption.phase_out.start.JOINT` +- `gov.irs.income.amt.exemption.phase_out.start.SEPARATE` +- `gov.irs.income.amt.exemption.phase_out.start.SINGLE` +- `gov.irs.income.amt.exemption.phase_out.start.SURVIVING_SPOUSE` + +### Parent: `gov.irs.income.bracket.thresholds.1` + +- **Expected breakdown type**: `filing_status` +- **Parent has label**: False +- **5 params** + +- `gov.irs.income.bracket.thresholds.1.HEAD_OF_HOUSEHOLD` +- `gov.irs.income.bracket.thresholds.1.JOINT` +- `gov.irs.income.bracket.thresholds.1.SEPARATE` +- `gov.irs.income.bracket.thresholds.1.SINGLE` +- `gov.irs.income.bracket.thresholds.1.SURVIVING_SPOUSE` + +### Parent: `gov.irs.income.bracket.thresholds.2` + +- **Expected breakdown type**: `filing_status` +- **Parent has label**: False +- **5 params** + +- `gov.irs.income.bracket.thresholds.2.HEAD_OF_HOUSEHOLD` +- `gov.irs.income.bracket.thresholds.2.JOINT` +- `gov.irs.income.bracket.thresholds.2.SEPARATE` +- `gov.irs.income.bracket.thresholds.2.SINGLE` +- `gov.irs.income.bracket.thresholds.2.SURVIVING_SPOUSE` + +### Parent: `gov.irs.income.bracket.thresholds.3` + +- **Expected breakdown type**: `filing_status` +- **Parent has label**: False +- **5 params** + +- `gov.irs.income.bracket.thresholds.3.HEAD_OF_HOUSEHOLD` +- `gov.irs.income.bracket.thresholds.3.JOINT` +- `gov.irs.income.bracket.thresholds.3.SEPARATE` +- `gov.irs.income.bracket.thresholds.3.SINGLE` +- `gov.irs.income.bracket.thresholds.3.SURVIVING_SPOUSE` + +### Parent: `gov.irs.income.bracket.thresholds.4` + +- **Expected breakdown type**: `filing_status` +- **Parent has label**: False +- **5 params** + +- `gov.irs.income.bracket.thresholds.4.HEAD_OF_HOUSEHOLD` +- `gov.irs.income.bracket.thresholds.4.JOINT` +- `gov.irs.income.bracket.thresholds.4.SEPARATE` +- `gov.irs.income.bracket.thresholds.4.SINGLE` +- `gov.irs.income.bracket.thresholds.4.SURVIVING_SPOUSE` + +### Parent: `gov.irs.income.bracket.thresholds.5` + +- **Expected breakdown type**: `filing_status` +- **Parent has label**: False +- **5 params** + +- `gov.irs.income.bracket.thresholds.5.HEAD_OF_HOUSEHOLD` +- `gov.irs.income.bracket.thresholds.5.JOINT` +- `gov.irs.income.bracket.thresholds.5.SEPARATE` +- `gov.irs.income.bracket.thresholds.5.SINGLE` +- `gov.irs.income.bracket.thresholds.5.SURVIVING_SPOUSE` + +### Parent: `gov.irs.income.bracket.thresholds.6` + +- **Expected breakdown type**: `filing_status` +- **Parent has label**: False +- **5 params** + +- `gov.irs.income.bracket.thresholds.6.HEAD_OF_HOUSEHOLD` +- `gov.irs.income.bracket.thresholds.6.JOINT` +- `gov.irs.income.bracket.thresholds.6.SEPARATE` +- `gov.irs.income.bracket.thresholds.6.SINGLE` +- `gov.irs.income.bracket.thresholds.6.SURVIVING_SPOUSE` + +### Parent: `gov.irs.income.bracket.thresholds.7` + +- **Expected breakdown type**: `filing_status` +- **Parent has label**: False +- **5 params** + +- `gov.irs.income.bracket.thresholds.7.HEAD_OF_HOUSEHOLD` +- `gov.irs.income.bracket.thresholds.7.JOINT` +- `gov.irs.income.bracket.thresholds.7.SEPARATE` +- `gov.irs.income.bracket.thresholds.7.SINGLE` +- `gov.irs.income.bracket.thresholds.7.SURVIVING_SPOUSE` + +### Parent: `gov.irs.income.exemption.phase_out.start` + +- **Expected breakdown type**: `filing_status` +- **Parent has label**: False +- **5 params** + +- `gov.irs.income.exemption.phase_out.start.HEAD_OF_HOUSEHOLD` +- `gov.irs.income.exemption.phase_out.start.JOINT` +- `gov.irs.income.exemption.phase_out.start.SEPARATE` +- `gov.irs.income.exemption.phase_out.start.SINGLE` +- `gov.irs.income.exemption.phase_out.start.SURVIVING_SPOUSE` + +### Parent: `gov.irs.income.exemption.phase_out.step_size` + +- **Expected breakdown type**: `filing_status` +- **Parent has label**: False +- **5 params** + +- `gov.irs.income.exemption.phase_out.step_size.HEAD_OF_HOUSEHOLD` +- `gov.irs.income.exemption.phase_out.step_size.JOINT` +- `gov.irs.income.exemption.phase_out.step_size.SEPARATE` +- `gov.irs.income.exemption.phase_out.step_size.SINGLE` +- `gov.irs.income.exemption.phase_out.step_size.SURVIVING_SPOUSE` + +### Parent: `gov.irs.investment.net_investment_income_tax.threshold` + +- **Expected breakdown type**: `filing_status` +- **Parent has label**: False +- **5 params** + +- `gov.irs.investment.net_investment_income_tax.threshold.HEAD_OF_HOUSEHOLD` +- `gov.irs.investment.net_investment_income_tax.threshold.JOINT` +- `gov.irs.investment.net_investment_income_tax.threshold.SEPARATE` +- `gov.irs.investment.net_investment_income_tax.threshold.SINGLE` +- `gov.irs.investment.net_investment_income_tax.threshold.SURVIVING_SPOUSE` + +### Parent: `gov.irs.payroll.medicare.additional.exclusion` + +- **Expected breakdown type**: `filing_status` +- **Parent has label**: True +- **5 params** + +- `gov.irs.payroll.medicare.additional.exclusion.HEAD_OF_HOUSEHOLD` +- `gov.irs.payroll.medicare.additional.exclusion.JOINT` +- `gov.irs.payroll.medicare.additional.exclusion.SEPARATE` +- `gov.irs.payroll.medicare.additional.exclusion.SINGLE` +- `gov.irs.payroll.medicare.additional.exclusion.SURVIVING_SPOUSE` + +### Parent: `gov.irs.unemployment_compensation.exemption.cutoff` + +- **Expected breakdown type**: `filing_status` +- **Parent has label**: False +- **5 params** + +- `gov.irs.unemployment_compensation.exemption.cutoff.HEAD_OF_HOUSEHOLD` +- `gov.irs.unemployment_compensation.exemption.cutoff.JOINT` +- `gov.irs.unemployment_compensation.exemption.cutoff.SEPARATE` +- `gov.irs.unemployment_compensation.exemption.cutoff.SINGLE` +- `gov.irs.unemployment_compensation.exemption.cutoff.SURVIVING_SPOUSE` + +### Parent: `gov.states.ca.calepa.carb.cvrp.income_cap` + +- **Expected breakdown type**: `filing_status` +- **Parent has label**: False +- **5 params** + +- `gov.states.ca.calepa.carb.cvrp.income_cap.HEAD_OF_HOUSEHOLD` +- `gov.states.ca.calepa.carb.cvrp.income_cap.JOINT` +- `gov.states.ca.calepa.carb.cvrp.income_cap.SEPARATE` +- `gov.states.ca.calepa.carb.cvrp.income_cap.SINGLE` +- `gov.states.ca.calepa.carb.cvrp.income_cap.SURVIVING_SPOUSE` + +### Parent: `gov.states.il.tax.income.exemption.income_limit` + +- **Expected breakdown type**: `filing_status` +- **Parent has label**: True +- **5 params** + +- `gov.states.il.tax.income.exemption.income_limit.HEAD_OF_HOUSEHOLD` +- `gov.states.il.tax.income.exemption.income_limit.JOINT` +- `gov.states.il.tax.income.exemption.income_limit.SEPARATE` +- `gov.states.il.tax.income.exemption.income_limit.SINGLE` +- `gov.states.il.tax.income.exemption.income_limit.SURVIVING_SPOUSE` + +### Parent: `gov.states.ks.tax.income.exemptions.by_filing_status.amount` + +- **Expected breakdown type**: `filing_status` +- **Parent has label**: True +- **5 params** + +- `gov.states.ks.tax.income.exemptions.by_filing_status.amount.HEAD_OF_HOUSEHOLD` +- `gov.states.ks.tax.income.exemptions.by_filing_status.amount.JOINT` +- `gov.states.ks.tax.income.exemptions.by_filing_status.amount.SEPARATE` +- `gov.states.ks.tax.income.exemptions.by_filing_status.amount.SINGLE` +- `gov.states.ks.tax.income.exemptions.by_filing_status.amount.SURVIVING_SPOUSE` + +### Parent: `gov.states.mn.tax.income.subtractions.social_security.reduction.increment` + +- **Expected breakdown type**: `filing_status` +- **Parent has label**: True +- **5 params** + +- `gov.states.mn.tax.income.subtractions.social_security.reduction.increment.HEAD_OF_HOUSEHOLD` +- `gov.states.mn.tax.income.subtractions.social_security.reduction.increment.JOINT` +- `gov.states.mn.tax.income.subtractions.social_security.reduction.increment.SEPARATE` +- `gov.states.mn.tax.income.subtractions.social_security.reduction.increment.SINGLE` +- `gov.states.mn.tax.income.subtractions.social_security.reduction.increment.SURVIVING_SPOUSE` + +### Parent: `gov.states.ny.tax.income.deductions.itemized.phase_out.start` + +- **Expected breakdown type**: `filing_status` +- **Parent has label**: True +- **5 params** + +- `gov.states.ny.tax.income.deductions.itemized.phase_out.start.HEAD_OF_HOUSEHOLD` +- `gov.states.ny.tax.income.deductions.itemized.phase_out.start.JOINT` +- `gov.states.ny.tax.income.deductions.itemized.phase_out.start.SEPARATE` +- `gov.states.ny.tax.income.deductions.itemized.phase_out.start.SINGLE` +- `gov.states.ny.tax.income.deductions.itemized.phase_out.start.SURVIVING_SPOUSE` + +### Parent: `gov.states.ny.tax.income.deductions.itemized.reduction.incremental.lower.income_threshold` + +- **Expected breakdown type**: `filing_status` +- **Parent has label**: True +- **5 params** + +- `gov.states.ny.tax.income.deductions.itemized.reduction.incremental.lower.income_threshold.HEAD_OF_HOUSEHOLD` +- `gov.states.ny.tax.income.deductions.itemized.reduction.incremental.lower.income_threshold.JOINT` +- `gov.states.ny.tax.income.deductions.itemized.reduction.incremental.lower.income_threshold.SEPARATE` +- `gov.states.ny.tax.income.deductions.itemized.reduction.incremental.lower.income_threshold.SINGLE` +- `gov.states.ny.tax.income.deductions.itemized.reduction.incremental.lower.income_threshold.SURVIVING_SPOUSE` + +### Parent: `gov.states.ut.tax.income.credits.retirement.phase_out.threshold` + +- **Expected breakdown type**: `filing_status` +- **Parent has label**: True +- **5 params** + +- `gov.states.ut.tax.income.credits.retirement.phase_out.threshold.HEAD_OF_HOUSEHOLD` +- `gov.states.ut.tax.income.credits.retirement.phase_out.threshold.JOINT` +- `gov.states.ut.tax.income.credits.retirement.phase_out.threshold.SEPARATE` +- `gov.states.ut.tax.income.credits.retirement.phase_out.threshold.SINGLE` +- `gov.states.ut.tax.income.credits.retirement.phase_out.threshold.SURVIVING_SPOUSE` + +### Parent: `gov.states.ut.tax.income.credits.ss_benefits.phase_out.threshold` + +- **Expected breakdown type**: `filing_status` +- **Parent has label**: True +- **5 params** + +- `gov.states.ut.tax.income.credits.ss_benefits.phase_out.threshold.HEAD_OF_HOUSEHOLD` +- `gov.states.ut.tax.income.credits.ss_benefits.phase_out.threshold.JOINT` +- `gov.states.ut.tax.income.credits.ss_benefits.phase_out.threshold.SEPARATE` +- `gov.states.ut.tax.income.credits.ss_benefits.phase_out.threshold.SINGLE` +- `gov.states.ut.tax.income.credits.ss_benefits.phase_out.threshold.SURVIVING_SPOUSE` + +### Parent: `gov.states.ut.tax.income.credits.taxpayer.phase_out.threshold` + +- **Expected breakdown type**: `filing_status` +- **Parent has label**: True +- **5 params** + +- `gov.states.ut.tax.income.credits.taxpayer.phase_out.threshold.HEAD_OF_HOUSEHOLD` +- `gov.states.ut.tax.income.credits.taxpayer.phase_out.threshold.JOINT` +- `gov.states.ut.tax.income.credits.taxpayer.phase_out.threshold.SEPARATE` +- `gov.states.ut.tax.income.credits.taxpayer.phase_out.threshold.SINGLE` +- `gov.states.ut.tax.income.credits.taxpayer.phase_out.threshold.SURVIVING_SPOUSE` + +### Parent: `gov.states.wi.tax.income.additions.capital_loss.limit` + +- **Expected breakdown type**: `filing_status` +- **Parent has label**: True +- **5 params** + +- `gov.states.wi.tax.income.additions.capital_loss.limit.HEAD_OF_HOUSEHOLD` +- `gov.states.wi.tax.income.additions.capital_loss.limit.JOINT` +- `gov.states.wi.tax.income.additions.capital_loss.limit.SEPARATE` +- `gov.states.wi.tax.income.additions.capital_loss.limit.SINGLE` +- `gov.states.wi.tax.income.additions.capital_loss.limit.SURVIVING_SPOUSE` + +--- + +## Pseudo-Bracket Params + +**0 params** + +All bracket-style params (`[n].field`) have proper ParameterScale parents. + +--- + +## Examples of Each Category + +### Explicit Labels (first 10) +- `calibration.gov.cbo.snap`: "Total SNAP outlays" +- `calibration.gov.cbo.social_security`: "Social Security benefits" +- `calibration.gov.cbo.ssi`: "SSI outlays" +- `calibration.gov.cbo.unemployment_compensation`: "Unemployment compensation outlays" +- `calibration.gov.cbo.income_by_source.adjusted_gross_income`: "Total AGI" +- `calibration.gov.cbo.income_by_source.employment_income`: "Total employment income" +- `calibration.gov.cbo.payroll_taxes`: "Payroll tax revenues" +- `calibration.gov.cbo.income_tax`: "Income tax revenue" +- `calibration.gov.irs.soi.rental_income`: "SOI rental income" +- `calibration.gov.irs.soi.returns_by_filing_status.SINGLE`: "Single" + +### Bracket Params WITH Scale Label (first 10) +- `calibration.gov.irs.soi.agi.total_agi[0].threshold`: "AGI aggregate by band (bracket 1 threshold)" +- `calibration.gov.irs.soi.agi.total_agi[0].amount`: "AGI aggregate by band (bracket 1 amount)" +- `calibration.gov.irs.soi.agi.total_agi[1].threshold`: "AGI aggregate by band (bracket 2 threshold)" +- `calibration.gov.irs.soi.agi.total_agi[1].amount`: "AGI aggregate by band (bracket 2 amount)" +- `calibration.gov.irs.soi.agi.total_agi[2].threshold`: "AGI aggregate by band (bracket 3 threshold)" +- `calibration.gov.irs.soi.agi.total_agi[2].amount`: "AGI aggregate by band (bracket 3 amount)" +- `calibration.gov.irs.soi.agi.total_agi[3].threshold`: "AGI aggregate by band (bracket 4 threshold)" +- `calibration.gov.irs.soi.agi.total_agi[3].amount`: "AGI aggregate by band (bracket 4 amount)" +- `calibration.gov.irs.soi.agi.total_agi[4].threshold`: "AGI aggregate by band (bracket 5 threshold)" +- `calibration.gov.irs.soi.agi.total_agi[4].amount`: "AGI aggregate by band (bracket 5 amount)" + +### Breakdown Params WITH Parent Label (first 10) +- `calibration.gov.aca.enrollment.state.AK`: "ACA enrollment by state (AK)" +- `calibration.gov.aca.enrollment.state.AL`: "ACA enrollment by state (AL)" +- `calibration.gov.aca.enrollment.state.AR`: "ACA enrollment by state (AR)" +- `calibration.gov.aca.enrollment.state.AZ`: "ACA enrollment by state (AZ)" +- `calibration.gov.aca.enrollment.state.CA`: "ACA enrollment by state (CA)" +- `calibration.gov.aca.enrollment.state.CO`: "ACA enrollment by state (CO)" +- `calibration.gov.aca.enrollment.state.CT`: "ACA enrollment by state (CT)" +- `calibration.gov.aca.enrollment.state.DC`: "ACA enrollment by state (DC)" +- `calibration.gov.aca.enrollment.state.DE`: "ACA enrollment by state (DE)" +- `calibration.gov.aca.enrollment.state.FL`: "ACA enrollment by state (FL)" + +### Regular Params Without Label (first 20) +- `calibration.gov.cbo.income_by_source.taxable_interest_and_ordinary_dividends` +- `calibration.gov.cbo.income_by_source.qualified_dividend_income` +- `calibration.gov.cbo.income_by_source.net_capital_gain` +- `calibration.gov.cbo.income_by_source.self_employment_income` +- `calibration.gov.cbo.income_by_source.taxable_pension_income` +- `calibration.gov.cbo.income_by_source.taxable_social_security` +- `calibration.gov.cbo.income_by_source.irs_other_income` +- `calibration.gov.cbo.income_by_source.above_the_line_deductions` +- `calibration.gov.usda.snap.participation` +- `calibration.gov.ssa.ssi.participation` +- `calibration.gov.ssa.social_security.participation` +- `calibration.gov.census.populations.total` +- `calibration.gov.census.populations.by_state.AK` +- `calibration.gov.census.populations.by_state.AL` +- `calibration.gov.census.populations.by_state.AR` +- `calibration.gov.census.populations.by_state.AZ` +- `calibration.gov.census.populations.by_state.CA` +- `calibration.gov.census.populations.by_state.CO` +- `calibration.gov.census.populations.by_state.CT` +- `calibration.gov.census.populations.by_state.DC` + +--- + +## Updated Analysis (Corrected Counts) + +**Note**: This updated analysis corrects the earlier counts by properly accounting for all breakdown parents with labels. Many parameters previously classified as "regular without label" are actually breakdown parameters with parent labels. + +### Revised Summary + +| Category | Count | Percentage | Description | +|----------|-------|------------|-------------| +| Breakdown With Parent Label | 40,115 | 73.2% | Breakdown param with parent label → label auto-generated | +| Bracket With Scale Label | 7,235 | 13.2% | Bracket param with scale label → label auto-generated | +| Explicit Label | 5,228 | 9.5% | Has explicit label in YAML metadata | +| Regular Without Label | 925 | 1.7% | Not breakdown/bracket, no explicit label | +| Pseudo Breakdown | 799 | 1.5% | Looks like breakdown but no metadata | +| Breakdown Without Parent Label | 445 | 0.8% | Breakdown param but parent has no label | +| Bracket Without Scale Label | 68 | 0.1% | Bracket param but scale has no label | + +**Total parameters**: 54,815 +**Parameters with labels (explicit or generated)**: 52,578 (95.9%) +**Parameters without labels**: 2,237 (4.1%) + +--- + +## Regular Parameters Without Labels (925 params) + +These are the truly "orphan" parameters that cannot get labels through any automatic mechanism. + +### Breakdown by Program Area + +| Program Area | Count | Examples | +|--------------|-------|----------| +| HHS (CCDF, SMI) | 530 | first_person, second_to_sixth_person, additional_person... | +| State: IN | 92 | ADAMS_COUNTY_IN, ALLEN_COUNTY_IN, BATHOLOMEW_COUNTY_IN... | +| State: CA | 73 | categorical_eligibility, True, False... | +| State: CO | 70 | subtractions, ADAMS_COUNTY_CO, ALAMOSA_COUNTY_CO... | +| USDA (SNAP, WIC, School Meals) | 35 | maximum_household_size, rate, relevant_max_allotment_household_size... | +| Local Tax | 24 | ALLEGANY_COUNTY_MD, ANNE_ARUNDEL_COUNTY_MD, BALTIMORE_CITY_MD... | +| ACA (Affordable Care Act) | 22 | 906, 907, 908... | +| IRS (Federal Tax) | 22 | rate, amount, additional_earned_income... | +| Calibration Data | 12 | taxable_interest_and_ordinary_dividends, qualified_dividend_income... | +| Education (Pell Grant) | 11 | A, B, C... | +| State: WI | 10 | exemption, rate... | +| FCC (Broadband Benefits) | 5 | prior_enrollment_required, tribal, standard... | +| Contributed/Proposed Policies | 4 | 1, 2, 3... | +| State: NC | 3 | value, mortgage_and_property_tax, deductions | +| State: MD | 3 | non_refundable, refundable, additional | +| State: NJ | 2 | unearned, earned | +| State: NY | 2 | unearned, earned | +| Simulation Config | 1 | marginal_tax_rate_delta | +| OpenFisca Meta | 1 | us | +| SSA (Social Security) | 1 | pass_rate | +| State: KY | 1 | subtractions | +| State: WV | 1 | applies | + +### Key Trends Identified + +1. **CCDF (Child Care) Parameters (530)**: Most are NY county-specific copay percentages and cluster assignments, plus multi-dimensional rate tables (care type × duration × age group) + +2. **County-Level Tax Rates (190+)**: Indiana (92), Colorado (64), Maryland (24) counties have individual tax rate parameters + +3. **LA County Rating Areas (22)**: ACA health insurance rating area costs for Los Angeles sub-areas + +4. **Multi-Dimensional Lookup Tables**: Parameters with numeric suffixes (1-5) or code-based keys (A, B, C) that aren't using proper breakdown metadata + +--- + +## High-Priority Parameters for Policy Understanding + +These parameters are most relevant for understanding US tax and benefit policy: + +### Federal Tax (IRS) + +| Parameter | Description | +|-----------|-------------| +| `gov.irs.credits.elderly_or_disabled.amount.base` | Base credit for elderly/disabled | +| `gov.irs.credits.elderly_or_disabled.amount.joint_both_eligible` | Joint credit when both qualify | +| `gov.irs.credits.elderly_or_disabled.amount.married_separate` | Credit for married filing separately | +| `gov.irs.credits.education.american_opportunity_credit.phase_out` | AOTC phase-out threshold | +| `gov.irs.income.amt.exemption.SINGLE/JOINT/SEPARATE` | AMT exemption amounts by filing status | +| `gov.irs.income.exemption.base` | Personal exemption amount | +| `gov.irs.income.exemption.phase_out` | Personal exemption phase-out threshold | +| `gov.irs.deductions.standard.dependent.additional_earned_income` | Standard deduction for dependents | +| `gov.irs.deductions.standard.dependent.base` | Base standard deduction for dependents | +| `gov.irs.capital_gains.rates.0_percent_rate` | 0% capital gains rate threshold | +| `gov.irs.capital_gains.rates.15_percent_rate` | 15% capital gains rate threshold | +| `gov.irs.capital_gains.rates.20_percent_rate` | 20% capital gains rate | +| `gov.irs.investment.net_investment_income_tax.rate` | NIIT rate (3.8%) | +| `gov.irs.ald.misc.educator_expense` | Teacher expense deduction | +| `gov.irs.ald.self_employment_tax.employer_half_rate` | SE tax employer portion rate | +| `gov.irs.unemployment_compensation.exemption.amount` | UI benefit exemption amount | + +### SNAP (Food Stamps) + +| Parameter | Description | +|-----------|-------------| +| `gov.usda.snap.min_allotment.rate` | Minimum benefit as fraction of max | +| `gov.usda.snap.min_allotment.maximum_household_size` | Max HH size for minimum allotment | +| `gov.usda.snap.expected_contribution` | Expected income contribution rate | +| `gov.usda.snap.categorical_eligibility` | Categorical eligibility rules | +| `gov.usda.snap.asset_test.limit.non_elderly` | Asset limit for non-elderly | +| `gov.usda.snap.asset_test.limit.elderly_disabled` | Asset limit for elderly/disabled | +| `gov.usda.snap.income.sources.earned/unearned` | Income source definitions | +| `gov.usda.snap.income.deductions.earned` | Earned income deduction rate | + +### SSI/SSA + +| Parameter | Description | +|-----------|-------------| +| `gov.ssa.ssi.eligibility.pass_rate` | Pass eligibility rate | + +### Education + +| Parameter | Description | +|-----------|-------------| +| `gov.ed.pell_grant.head.asset_assessment_rate.A/B/C` | Asset assessment rates by category | +| `gov.ed.pell_grant.head.income_assessment_rate.A/B/C` | Income assessment rates by category | +| `gov.ed.pell_grant.sai.fpg_fraction.min_pell_limits.*` | Min Pell eligibility thresholds | + +### FCC Broadband Benefits + +| Parameter | Description | +|-----------|-------------| +| `gov.fcc.ebb.amount.standard` | Standard EBB monthly benefit | +| `gov.fcc.ebb.amount.tribal` | Tribal lands EBB benefit | +| `gov.fcc.acp.categorical_eligibility.applies` | ACP categorical eligibility | + +### WIC + +| Parameter | Description | +|-----------|-------------| +| `gov.usda.wic.value.PREGNANT` | WIC package value for pregnant women | +| `gov.usda.wic.value.BREASTFEEDING` | WIC value for breastfeeding | +| `gov.usda.wic.value.POSTPARTUM` | WIC value for postpartum | +| `gov.usda.wic.value.INFANT` | WIC value for infants | +| `gov.usda.wic.value.CHILD` | WIC value for children | + +--- + +## Recommendations + +### Quick Wins (Fix 81 YAML files to cover 1,312 params) + +1. **Add labels to 8 bracket scales** (covers 68 params): + - `gov.irs.credits.education.american_opportunity_credit.amount` + - `gov.irs.credits.eitc.phase_out.joint_bonus` + - `gov.irs.credits.premium_tax_credit.eligibility` + - `gov.irs.credits.premium_tax_credit.phase_out.ending_rate` + - `gov.irs.credits.premium_tax_credit.phase_out.starting_rate` + - Plus 3 state-level scales + +2. **Add labels to 12 breakdown parents** (covers 445 params): + - Child care rate parents + - State tax thresholds + +3. **Add breakdown metadata + labels to 61 pseudo-breakdown parents** (covers 799 params): + - Filing status breakdowns missing metadata + - State-level breakdowns missing metadata + +### Medium-Priority Fixes + +1. Add explicit labels to the 22 high-priority federal IRS params +2. Add explicit labels to the 10 SNAP params +3. Add explicit labels to WIC package value params + +### Low Priority (Administrative/Calibration) + +- County cluster mappings (124 params) - internal lookup tables +- Copay percentages (62 params) - county-specific rates +- Calibration data (12 params) - historical data points +- LA County rating areas (22 params) - geographic codes + +--- + +## Complete List: Regular Parameters Without Labels + +### HHS (530 params) + +#### CCDF Amount Tables (400 params) +Multi-dimensional rate tables by cluster (1-5), care type, duration, and age group: +- Clusters: 1, 2, 3, 4, 5 +- Care types: DCC_SACC, FDC_GFDC, LE_ENH, LE_GC, LE_STD +- Durations: DAILY, HOURLY, PART_DAY, WEEKLY +- Age groups: INFANT, TODDLER, PRESCHOOLER, SCHOOL_AGE + +#### CCDF County Clusters (62 params) +NY county → cluster mappings (e.g., `gov.hhs.ccdf.county_cluster.ALBANY_COUNTY_NY`) + +#### CCDF Copay Percentages (62 params) +NY county copay rates (e.g., `gov.hhs.ccdf.copay_percent.ALBANY_COUNTY_NY`) + +#### Other CCDF (3 params) +- `gov.hhs.ccdf.age_limit` +- `gov.hhs.ccdf.asset_limit` +- `gov.hhs.ccdf.income_limit_smi` + +#### SMI Household Adjustments (3 params) +- `gov.hhs.smi.household_size_adjustment.first_person` +- `gov.hhs.smi.household_size_adjustment.second_to_sixth_person` +- `gov.hhs.smi.household_size_adjustment.additional_person` + +### State: IN (92 params) +Indiana county income tax rates: +- `gov.states.in.tax.income.county_rates.ADAMS_COUNTY_IN` through `WHITLEY_COUNTY_IN` + +### State: CA (73 params) +California TANF parameters: +- `gov.states.ca.cdss.tanf.*` (various eligibility and benefit parameters) +- `gov.states.ca.calepa.cvrp.income_limit_ami` (EV rebate) + +### State: CO (70 params) +Colorado child care and tax parameters: +- `gov.states.co.ccap.entry.*` (child care assistance, 64 params by county) +- `gov.states.co.cdhs.tanf.*` (5 params) +- `gov.states.co.tax.income.subtractions.pension_subtraction.age` (1 param) + +### USDA (35 params) +- SNAP: 10 params (min_allotment, income, asset_test, categorical_eligibility) +- WIC: 21 params (value by participant category and formula type) +- School Meals: 2 params (school_days, income sources) +- Disabled Programs: 1 param +- Elderly Age Threshold: 1 param + +### Local Tax (24 params) +Maryland county income tax rates: +- `gov.local.tax.income.flat_tax_rate.*` (24 MD counties) + +### ACA (22 params) +LA County rating area mappings: +- `gov.aca.la_county_rating_area.900` through `gov.aca.la_county_rating_area.935` + +### IRS (22 params) +- Elderly/disabled credit amounts (3 params) +- AMT exemption by filing status (3 params) +- Personal exemption (2 params) +- Dependent standard deduction (2 params) +- Capital gains rates (3 params) +- NIIT rate (1 param) +- Educator expense (1 param) +- SE tax rate (1 param) +- UI exemption (1 param) +- Education credit phase-out (1 param) +- Other misc (4 params) + +### Calibration (12 params) +CBO income projections and program participation rates + +### Education (11 params) +Pell Grant assessment rates and eligibility thresholds + +### Other States (23 params combined) +- WI: 10 params (income tax) +- NC: 3 params +- MD: 3 params (TANF) +- NJ: 2 params (TANF) +- NY: 2 params (TANF) +- KY: 1 param +- WV: 1 param + +### Misc (7 params) +- FCC: 5 params (EBB/ACP) +- Contrib: 4 params (Harris capital gains proposal) +- Simulation: 1 param +- OpenFisca: 1 param +- SSA: 1 param diff --git a/src/policyengine/utils/parameter_labels.py b/src/policyengine/utils/parameter_labels.py index 11605da..2fd3e25 100644 --- a/src/policyengine/utils/parameter_labels.py +++ b/src/policyengine/utils/parameter_labels.py @@ -146,7 +146,7 @@ def _format_dimension_value(value, var_name, dim_label, system): str: Formatted dimension value """ # First, try to get enum display value - if var_name and not var_name.startswith("range(") and not var_name.startswith("list("): + if var_name and isinstance(var_name, str) and not var_name.startswith("range(") and not var_name.startswith("list("): var = system.variables.get(var_name) if var and hasattr(var, "possible_values") and var.possible_values: try: From 038c2df755c687897e3754719c6874bdf9c7ded3 Mon Sep 17 00:00:00 2001 From: Anthony Volk Date: Fri, 9 Jan 2026 22:38:16 +0300 Subject: [PATCH 5/5] chore: Remove accidentally committed analysis files MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit 🤖 Generated with [Claude Code](https://claude.com/claude-code) Co-Authored-By: Claude Opus 4.5 --- .vscode/settings.json | 5 - BREAKDOWN_PARENTS_ANALYSIS.md | 9391 -------------------------------- US_PARAMETER_LABEL_ANALYSIS.md | 2390 -------- 3 files changed, 11786 deletions(-) delete mode 100644 .vscode/settings.json delete mode 100644 BREAKDOWN_PARENTS_ANALYSIS.md delete mode 100644 US_PARAMETER_LABEL_ANALYSIS.md diff --git a/.vscode/settings.json b/.vscode/settings.json deleted file mode 100644 index 87cdebf..0000000 --- a/.vscode/settings.json +++ /dev/null @@ -1,5 +0,0 @@ -{ - "python-envs.defaultEnvManager": "ms-python.python:conda", - "python-envs.defaultPackageManager": "ms-python.python:conda", - "python-envs.pythonProjects": [] -} \ No newline at end of file diff --git a/BREAKDOWN_PARENTS_ANALYSIS.md b/BREAKDOWN_PARENTS_ANALYSIS.md deleted file mode 100644 index 7019a10..0000000 --- a/BREAKDOWN_PARENTS_ANALYSIS.md +++ /dev/null @@ -1,9391 +0,0 @@ -# Breakdown Parents with Labels - Complete Analysis - -This document lists all 432 breakdown parents that have labels in policyengine-us. -For each parent, we show how labels are currently generated and how they could be improved. - -**Total breakdown parents with labels:** 432 -**Total child parameters covered:** 40,115 - ---- - -## Summary Table - -| # | Parent Path | Label | Dimensions | Children | -|---|-------------|-------|------------|----------| -| 1 | `gov.states.nc.ncdhhs.scca.childcare_market_rates` | North Carolina SCCA program market rates | 2 | 12,896 | -| 2 | `gov.states.tx.twc.ccs.payment.rates` | Texas CCS maximum reimbursement rates by workforce board region | 5 | 8,064 | -| 3 | `gov.irs.deductions.itemized.salt_and_real_estate.state_sales_tax_table.tax` | Optional state sales tax table | 3 | 6,726 | -| 4 | `gov.aca.state_rating_area_cost` | Second Lowest Cost Silver Plan premiums by rating area | 2 | 3,953 | -| 5 | `gov.states.or.tax.income.credits.wfhdc.match` | Oregon working family household and dependent care credit credit rate | 2 | 186 | -| 6 | `gov.states.il.dhs.aabd.payment.utility.water` | Illinois AABD water allowance by area | 2 | 152 | -| 7 | `gov.states.il.dhs.aabd.payment.utility.metered_gas` | Illinois AABD metered gas allowance by area | 2 | 152 | -| 8 | `gov.states.il.dhs.aabd.payment.utility.electricity` | Illinois AABD electricity allowance by area | 2 | 152 | -| 9 | `gov.states.il.dhs.aabd.payment.utility.coal` | Illinois AABD coal allowance by area | 2 | 152 | -| 10 | `gov.states.il.dhs.aabd.payment.utility.cooking_fuel` | Illinois AABD cooking fuel allowance by area | 2 | 152 | -| 11 | `gov.states.il.dhs.aabd.payment.utility.bottled_gas` | Illinois AABD bottled gas allowance by area | 2 | 152 | -| 12 | `gov.states.il.dhs.aabd.payment.utility.fuel_oil` | Illinois AABD fuel oil allowance by area | 2 | 152 | -| 13 | `gov.states.dc.dhs.ccsp.reimbursement_rates` | DC CCSP reimbursement rates | 3 | 126 | -| 14 | `gov.states.vt.tax.income.credits.renter.income_limit_ami.fifty_percent` | Vermont partial renter credit income limit | 1 | 112 | -| 15 | `gov.states.vt.tax.income.credits.renter.income_limit_ami.thirty_percent` | Vermont full renter credit income limit | 1 | 112 | -| 16 | `gov.states.vt.tax.income.credits.renter.fair_market_rent` | Vermont fair market rent amount | 1 | 112 | -| 17 | `gov.states.dc.doee.liheap.payment.gas` | DC LIHEAP Gas payment | 3 | 80 | -| 18 | `gov.states.dc.doee.liheap.payment.electricity` | DC LIHEAP Electricity payment | 3 | 80 | -| 19 | `gov.usda.snap.max_allotment.main` | SNAP max allotment | 2 | 63 | -| 20 | `calibration.gov.aca.enrollment.state` | ACA enrollment by state | 1 | 59 | -| 21 | `calibration.gov.aca.spending.state` | Federal ACA spending by state | 1 | 59 | -| 22 | `calibration.gov.hhs.medicaid.enrollment.non_expansion_adults` | Non-expansion adults enrolled in Medicaid | 1 | 59 | -| 23 | `calibration.gov.hhs.medicaid.enrollment.aged` | Aged persons enrolled in Medicaid | 1 | 59 | -| 24 | `calibration.gov.hhs.medicaid.enrollment.expansion_adults` | Expansion adults enrolled in Medicaid | 1 | 59 | -| 25 | `calibration.gov.hhs.medicaid.enrollment.disabled` | Disabled persons enrolled in Medicaid | 1 | 59 | -| 26 | `calibration.gov.hhs.medicaid.enrollment.child` | Children enrolled in Medicaid | 1 | 59 | -| 27 | `calibration.gov.hhs.medicaid.spending.by_eligibility_group.non_expansion_adults` | Medicaid spending for non-expansion adult enrollees | 1 | 59 | -| 28 | `calibration.gov.hhs.medicaid.spending.by_eligibility_group.aged` | Medicaid spending for aged enrollees | 1 | 59 | -| 29 | `calibration.gov.hhs.medicaid.spending.by_eligibility_group.expansion_adults` | Medicaid spending for expansion adult enrollees | 1 | 59 | -| 30 | `calibration.gov.hhs.medicaid.spending.by_eligibility_group.disabled` | Medicaid spending for disabled enrollees | 1 | 59 | -| 31 | `calibration.gov.hhs.medicaid.spending.by_eligibility_group.child` | Medicaid spending for child enrollees | 1 | 59 | -| 32 | `calibration.gov.hhs.medicaid.spending.totals.state` | State Medicaid spending | 1 | 59 | -| 33 | `calibration.gov.hhs.medicaid.spending.totals.federal` | Federal Medicaid spending by state | 1 | 59 | -| 34 | `calibration.gov.hhs.cms.chip.enrollment.total` | Enrollment in all CHIP programs by state | 1 | 59 | -| 35 | `calibration.gov.hhs.cms.chip.enrollment.medicaid_expansion_chip` | Enrollment in Medicaid Expansion CHIP programs by state | 1 | 59 | -| 36 | `calibration.gov.hhs.cms.chip.enrollment.separate_chip` | Enrollment in Separate CHIP programs by state | 1 | 59 | -| 37 | `calibration.gov.hhs.cms.chip.spending.separate_chip.state` | State share of CHIP spending for separate CHIP programs and coverage of pregnant women | 1 | 59 | -| 38 | `calibration.gov.hhs.cms.chip.spending.separate_chip.total` | CHIP spending for separate CHIP programs and coverage of pregnant women | 1 | 59 | -| 39 | `calibration.gov.hhs.cms.chip.spending.separate_chip.federal` | Federal share of CHIP spending for separate CHIP programs and coverage of pregnant women | 1 | 59 | -| 40 | `calibration.gov.hhs.cms.chip.spending.medicaid_expansion_chip.state` | State share of CHIP spending for Medicaid-expansion populations | 1 | 59 | -| 41 | `calibration.gov.hhs.cms.chip.spending.medicaid_expansion_chip.total` | CHIP spending for Medicaid-expansion populations | 1 | 59 | -| 42 | `calibration.gov.hhs.cms.chip.spending.medicaid_expansion_chip.federal` | Federal share of CHIP spending for Medicaid-expansion populations | 1 | 59 | -| 43 | `calibration.gov.hhs.cms.chip.spending.total.state` | State share of total CHIP spending | 1 | 59 | -| 44 | `calibration.gov.hhs.cms.chip.spending.total.total` | Total CHIP spending | 1 | 59 | -| 45 | `calibration.gov.hhs.cms.chip.spending.total.federal` | Federal share of total CHIP spending | 1 | 59 | -| 46 | `calibration.gov.hhs.cms.chip.spending.program_admin.state` | State share of state program administration costs for CHIP | 1 | 59 | -| 47 | `calibration.gov.hhs.cms.chip.spending.program_admin.total` | Total state program administration costs for CHIP | 1 | 59 | -| 48 | `calibration.gov.hhs.cms.chip.spending.program_admin.federal` | Federal share of state program administration costs for CHIP | 1 | 59 | -| 49 | `gov.aca.enrollment.state` | ACA enrollment by state | 1 | 59 | -| 50 | `gov.aca.family_tier_states` | Family tier rating states | 1 | 59 | -| 51 | `gov.aca.spending.state` | Federal ACA spending by state | 1 | 59 | -| 52 | `gov.usda.snap.income.deductions.self_employment.rate` | SNAP self-employment simplified deduction rate | 1 | 59 | -| 53 | `gov.usda.snap.income.deductions.self_employment.expense_based_deduction_applies` | SNAP self-employment expense-based deduction applies | 1 | 59 | -| 54 | `gov.usda.snap.income.deductions.excess_shelter_expense.homeless.available` | SNAP homeless shelter deduction available | 1 | 59 | -| 55 | `gov.usda.snap.income.deductions.child_support` | SNAP child support gross income deduction | 1 | 59 | -| 56 | `gov.usda.snap.income.deductions.utility.single.water` | SNAP standard utility allowance for water expenses | 1 | 59 | -| 57 | `gov.usda.snap.income.deductions.utility.single.electricity` | SNAP standard utility allowance for electricity expenses | 1 | 59 | -| 58 | `gov.usda.snap.income.deductions.utility.single.trash` | SNAP standard utility allowance for trash expenses | 1 | 59 | -| 59 | `gov.usda.snap.income.deductions.utility.single.sewage` | SNAP standard utility allowance for sewage expenses | 1 | 59 | -| 60 | `gov.usda.snap.income.deductions.utility.single.gas_and_fuel` | SNAP standard utility allowance for gas and fuel expenses | 1 | 59 | -| 61 | `gov.usda.snap.income.deductions.utility.single.phone` | SNAP standard utility allowance for phone expenses | 1 | 59 | -| 62 | `gov.usda.snap.income.deductions.utility.always_standard` | SNAP States using SUA | 1 | 59 | -| 63 | `gov.usda.snap.income.deductions.utility.standard.main` | SNAP standard utility allowance | 1 | 59 | -| 64 | `gov.usda.snap.income.deductions.utility.limited.active` | SNAP Limited Utility Allowance active | 1 | 59 | -| 65 | `gov.usda.snap.income.deductions.utility.limited.main` | SNAP limited utility allowance | 1 | 59 | -| 66 | `gov.usda.snap.emergency_allotment.in_effect` | SNAP emergency allotment in effect | 1 | 59 | -| 67 | `gov.hhs.head_start.spending` | Head Start state-level spending amount | 1 | 59 | -| 68 | `gov.hhs.head_start.enrollment` | Head Start state-level enrollment | 1 | 59 | -| 69 | `gov.hhs.head_start.early_head_start.spending` | Early Head Start state-level funding amount | 1 | 59 | -| 70 | `gov.hhs.head_start.early_head_start.enrollment` | Early Head Start state-level enrollment | 1 | 59 | -| 71 | `gov.hhs.medicaid.eligibility.undocumented_immigrant` | Medicaid undocumented immigrant eligibility | 1 | 59 | -| 72 | `gov.hhs.medicaid.eligibility.categories.young_child.income_limit` | Medicaid young child income limit | 1 | 59 | -| 73 | `gov.hhs.medicaid.eligibility.categories.senior_or_disabled.income.limit.couple` | Medicaid senior or disabled income limit (couple) | 1 | 59 | -| 74 | `gov.hhs.medicaid.eligibility.categories.senior_or_disabled.income.limit.individual` | Medicaid senior or disabled income limit (individual) | 1 | 59 | -| 75 | `gov.hhs.medicaid.eligibility.categories.senior_or_disabled.income.disregard.couple` | Medicaid senior or disabled income disregard (couple) | 1 | 59 | -| 76 | `gov.hhs.medicaid.eligibility.categories.senior_or_disabled.income.disregard.individual` | Medicaid senior or disabled income disregard (individual) | 1 | 59 | -| 77 | `gov.hhs.medicaid.eligibility.categories.senior_or_disabled.assets.limit.couple` | Medicaid senior or disabled asset limit (couple) | 1 | 59 | -| 78 | `gov.hhs.medicaid.eligibility.categories.senior_or_disabled.assets.limit.individual` | Medicaid senior or disabled asset limit (individual) | 1 | 59 | -| 79 | `gov.hhs.medicaid.eligibility.categories.young_adult.income_limit` | Medicaid pregnant income limit | 1 | 59 | -| 80 | `gov.hhs.medicaid.eligibility.categories.older_child.income_limit` | Medicaid older child income limit | 1 | 59 | -| 81 | `gov.hhs.medicaid.eligibility.categories.parent.income_limit` | Medicaid parent income limit | 1 | 59 | -| 82 | `gov.hhs.medicaid.eligibility.categories.pregnant.income_limit` | Medicaid pregnant income limit | 1 | 59 | -| 83 | `gov.hhs.medicaid.eligibility.categories.pregnant.postpartum_coverage` | Medicaid postpartum coverage | 1 | 59 | -| 84 | `gov.hhs.medicaid.eligibility.categories.ssi_recipient.is_covered` | Medicaid covers all SSI recipients | 1 | 59 | -| 85 | `gov.hhs.medicaid.eligibility.categories.infant.income_limit` | Medicaid infant income limit | 1 | 59 | -| 86 | `gov.hhs.medicaid.eligibility.categories.adult.income_limit` | Medicaid adult income limit | 1 | 59 | -| 87 | `gov.hhs.chip.fcep.income_limit` | CHIP FCEP pregnant income limit | 1 | 59 | -| 88 | `gov.hhs.chip.pregnant.income_limit` | CHIP pregnant income limit | 1 | 59 | -| 89 | `gov.hhs.chip.child.income_limit` | CHIP child income limit | 1 | 59 | -| 90 | `gov.hhs.medicare.savings_programs.eligibility.asset.applies` | MSP asset test applies | 1 | 59 | -| 91 | `gov.hhs.tanf.non_cash.income_limit.gross` | SNAP BBCE gross income limit | 1 | 59 | -| 92 | `gov.states.ma.dta.ssp.amount` | Massachusetts SSP payment amount | 3 | 48 | -| 93 | `gov.states.ma.eec.ccfa.reimbursement_rates.center_based.school_age` | Massachusetts CCFA center-based school age reimbursement rates | 3 | 48 | -| 94 | `gov.contrib.additional_tax_bracket.bracket.thresholds` | Individual income tax rate thresholds | 2 | 40 | -| 95 | `gov.usda.snap.income.deductions.standard` | SNAP standard deduction | 2 | 36 | -| 96 | `gov.irs.income.bracket.thresholds` | Individual income tax rate thresholds | 2 | 35 | -| 97 | `gov.states.ma.eec.ccfa.copay.fee_level.fee_percentages` | Massachusetts CCFA fee percentage by fee level | 1 | 29 | -| 98 | `gov.states.pa.dhs.tanf.standard_of_need.amount` | Pennsylvania TANF Standard of Need by county group | 1 | 24 | -| 99 | `gov.states.pa.dhs.tanf.family_size_allowance.amount` | Pennsylvania TANF family size allowance by county group | 1 | 24 | -| 100 | `gov.states.ma.doer.liheap.standard.amount.non_subsidized` | Massachusetts LIHEAP homeowners and non subsidized housing payment amount | 2 | 21 | -| 101 | `gov.states.ma.doer.liheap.standard.amount.subsidized` | Massachusetts LIHEAP subsidized housing payment amount | 2 | 21 | -| 102 | `gov.states.mn.dcyf.mfip.transitional_standard.amount` | Minnesota MFIP Transitional Standard amount | 1 | 20 | -| 103 | `gov.states.dc.dhs.tanf.standard_payment.amount` | DC TANF standard payment amount | 1 | 20 | -| 104 | `gov.hud.ami_limit.family_size` | HUD area median income limit | 2 | 20 | -| 105 | `gov.states.ut.dwf.fep.standard_needs_budget.amount` | Utah FEP Standard Needs Budget (SNB) | 1 | 19 | -| 106 | `gov.states.ut.dwf.fep.payment_standard.amount` | Utah FEP maximum benefit amount | 1 | 19 | -| 107 | `gov.states.mo.dss.tanf.standard_of_need.amount` | Missouri TANF standard of need | 1 | 19 | -| 108 | `gov.states.ar.dhs.tea.payment_standard.amount` | Arkansas TEA payment standard amount | 1 | 19 | -| 109 | `gov.usda.school_meals.amount.nslp` | National School Lunch Program value | 2 | 18 | -| 110 | `gov.usda.school_meals.amount.sbp` | School Breakfast Program value | 2 | 18 | -| 111 | `gov.contrib.harris.capital_gains.thresholds` | Harris capital gains tax rate thresholds | 2 | 15 | -| 112 | `gov.states.oh.odjfs.owf.payment_standard.amounts` | Ohio Works First payment standard amounts | 1 | 15 | -| 113 | `gov.states.nc.ncdhhs.tanf.need_standard.main` | North Carolina TANF monthly need standard | 1 | 14 | -| 114 | `gov.states.ma.eec.ccfa.copay.fee_level.income_ratio_increments` | Massachusetts CCFA income ratio increments by household size | 1 | 13 | -| 115 | `gov.states.ma.eec.ccfa.reimbursement_rates.head_start_partner_and_kindergarten` | Massachusetts CCFA head start partner and kindergarten reimbursement rates | 2 | 12 | -| 116 | `gov.states.ma.eec.ccfa.reimbursement_rates.center_based.early_education` | Massachusetts CCFA center-based early education reimbursement rates | 2 | 12 | -| 117 | `gov.hhs.fpg` | Federal poverty guidelines | 2 | 12 | -| 118 | `gov.states.ga.dfcs.tanf.financial_standards.family_maximum.base` | Georgia TANF family maximum base amount | 1 | 11 | -| 119 | `gov.states.ga.dfcs.tanf.financial_standards.standard_of_need.base` | Georgia TANF standard of need base amount | 1 | 11 | -| 120 | `gov.usda.snap.income.deductions.utility.standard.by_household_size.amount` | SNAP SUAs by household size | 2 | 10 | -| 121 | `gov.usda.snap.income.deductions.utility.limited.by_household_size.amount` | SNAP LUAs by household size | 2 | 10 | -| 122 | `gov.states.ms.dhs.tanf.need_standard.amount` | Mississippi TANF need standard amount | 1 | 10 | -| 123 | `gov.states.in.fssa.tanf.standard_of_need.amount` | Indiana TANF standard of need amount | 1 | 10 | -| 124 | `gov.states.ca.cdss.tanf.cash.monthly_payment.region1.exempt` | California CalWORKs monthly payment level - exempt map region 1 | 1 | 10 | -| 125 | `gov.states.ca.cdss.tanf.cash.monthly_payment.region1.non_exempt` | California CalWORKs monthly payment level - non-exempt map region 1 | 1 | 10 | -| 126 | `gov.states.ca.cdss.tanf.cash.monthly_payment.region2.exempt` | California CalWORKs monthly payment level - exempt map region 2 | 1 | 10 | -| 127 | `gov.states.ca.cdss.tanf.cash.monthly_payment.region2.non_exempt` | California CalWORKs monthly payment level - non-exempt map region 2 | 1 | 10 | -| 128 | `gov.states.ca.cdss.tanf.cash.income.monthly_limit.region1.main` | California CalWORKs monthly income limit for region 1 | 1 | 10 | -| 129 | `gov.states.ca.cdss.tanf.cash.income.monthly_limit.region2.main` | California CalWORKs monthly income limit for region 2 | 1 | 10 | -| 130 | `gov.states.ks.dcf.tanf.payment_standard.amount` | Kansas TANF payment standard amount | 1 | 10 | -| 131 | `gov.states.ne.dhhs.adc.benefit.standard_of_need.amount` | Nebraska ADC standard of need | 1 | 10 | -| 132 | `gov.states.id.tafi.work_incentive_table.amount` | Idaho TAFI work incentive table amount | 1 | 10 | -| 133 | `gov.states.or.odhs.tanf.income.countable_income_limit.amount` | Oregon TANF countable income limit | 1 | 10 | -| 134 | `gov.states.or.odhs.tanf.income.adjusted_income_limit.amount` | Oregon TANF adjusted income limit | 1 | 10 | -| 135 | `gov.states.or.odhs.tanf.payment_standard.amount` | Oregon TANF payment standard | 1 | 10 | -| 136 | `gov.states.wa.dshs.tanf.income.limit` | Washington TANF maximum gross earned income limit | 1 | 10 | -| 137 | `gov.states.wa.dshs.tanf.payment_standard.amount` | Washington TANF payment standard | 1 | 10 | -| 138 | `gov.contrib.additional_tax_bracket.bracket.rates` | Individual income tax rates | 1 | 8 | -| 139 | `gov.states.ma.dta.tcap.eaedc.standard_assistance.amount.additional` | Massachusetts EAEDC standard assistance additional amount | 1 | 8 | -| 140 | `gov.states.ma.dta.tcap.eaedc.standard_assistance.amount.base` | Massachusetts EAEDC standard assistance base amount | 1 | 8 | -| 141 | `gov.states.nj.njdhs.tanf.maximum_benefit.main` | New Jersey TANF monthly maximum benefit | 1 | 8 | -| 142 | `gov.states.nj.njdhs.tanf.maximum_allowable_income.main` | New Jersey TANF monthly maximum allowable income | 1 | 8 | -| 143 | `gov.states.il.dhs.aabd.payment.personal_allowance.bedfast` | Illinois AABD bedfast applicant personal allowance | 1 | 8 | -| 144 | `gov.states.il.dhs.aabd.payment.personal_allowance.active` | Illinois AABD active applicant personal allowance | 1 | 8 | -| 145 | `gov.usda.snap.income.deductions.excess_shelter_expense.cap` | SNAP maximum shelter deduction | 1 | 7 | -| 146 | `gov.states.ma.doer.liheap.hecs.amount.non_subsidized` | Massachusetts LIHEAP High Energy Cost Supplement payment for homeowners and non-subsidized housing applicants | 1 | 7 | -| 147 | `gov.states.ma.doer.liheap.hecs.amount.subsidized` | Massachusetts LIHEAP High Energy Cost Supplement payment for subsidized housing applicants | 1 | 7 | -| 148 | `gov.states.ky.dcbs.ktap.benefit.standard_of_need` | Kentucky K-TAP standard of need | 1 | 7 | -| 149 | `gov.states.ky.dcbs.ktap.benefit.payment_maximum` | Kentucky K-TAP payment maximum | 1 | 7 | -| 150 | `gov.irs.income.bracket.rates` | Individual income tax rates | 1 | 7 | -| 151 | `gov.aca.family_tier_ratings.ny` | ACA premium family tier multipliers - NY | 1 | 6 | -| 152 | `gov.aca.family_tier_ratings.vt` | ACA premium family tier multipliers - VT | 1 | 6 | -| 153 | `gov.usda.wic.nutritional_risk` | WIC nutritional risk | 1 | 6 | -| 154 | `gov.usda.wic.takeup` | WIC takeup rate | 1 | 6 | -| 155 | `gov.states.ma.doer.liheap.hecs.eligibility.prior_year_cost_threshold` | Massachusetts LIHEAP HECS payment threshold | 1 | 6 | -| 156 | `gov.states.ny.otda.tanf.need_standard.main` | New York TANF monthly income limit | 1 | 6 | -| 157 | `gov.states.ny.otda.tanf.grant_standard.main` | New York TANF monthly income limit | 1 | 6 | -| 158 | `calibration.gov.hhs.medicaid.totals.per_capita` | Per-capita Medicaid cost for other adults | 1 | 5 | -| 159 | `gov.territories.pr.tax.income.taxable_income.exemptions.personal` | Puerto Rico personal exemption amount | 1 | 5 | -| 160 | `gov.contrib.biden.budget_2025.capital_gains.income_threshold` | Threshold above which capital income is taxed as ordinary income | 1 | 5 | -| 161 | `gov.contrib.harris.lift.middle_class_tax_credit.phase_out.width` | Middle Class Tax Credit phase-out width | 1 | 5 | -| 162 | `gov.contrib.harris.lift.middle_class_tax_credit.phase_out.start` | Middle Class Tax Credit phase-out start | 1 | 5 | -| 163 | `gov.contrib.ubi_center.basic_income.agi_limit.amount` | Basic income AGI limit | 1 | 5 | -| 164 | `gov.contrib.ubi_center.basic_income.phase_out.end` | Basic income phase-out end | 1 | 5 | -| 165 | `gov.contrib.ubi_center.basic_income.phase_out.threshold` | Basic income phase-out threshold | 1 | 5 | -| 166 | `gov.contrib.ubi_center.flat_tax.exemption.agi` | Flat tax on AGI exemption amount | 1 | 5 | -| 167 | `gov.contrib.crfb.ss_credit.amount` | CRFB Social Security nonrefundable credit amount | 1 | 5 | -| 168 | `gov.contrib.local.nyc.stc.income_limit` | NYC School Tax Credit Income Limit | 1 | 5 | -| 169 | `gov.contrib.states.ri.dependent_exemption.phaseout.threshold` | Rhode Island dependent exemption phaseout threshold | 1 | 5 | -| 170 | `gov.contrib.states.ri.ctc.phaseout.threshold` | Rhode Island Child Tax Credit phaseout threshold | 1 | 5 | -| 171 | `gov.contrib.states.dc.property_tax.income_limit.non_elderly` | DC property tax credit non-elderly income limit | 1 | 5 | -| 172 | `gov.contrib.states.dc.property_tax.income_limit.elderly` | DC property tax credit elderly income limit | 1 | 5 | -| 173 | `gov.contrib.states.dc.property_tax.amount` | DC property tax credit amount | 1 | 5 | -| 174 | `gov.contrib.states.de.dependent_credit.phaseout.threshold` | Delaware dependent credit phaseout threshold | 1 | 5 | -| 175 | `gov.contrib.dc_kccatc.phase_out.threshold` | DC KCCATC phase-out threshold | 13 | 5 | -| 176 | `gov.contrib.congress.hawley.awra.phase_out.start` | American Worker Rebate Act phase-out start | 1 | 5 | -| 177 | `gov.contrib.congress.tlaib.end_child_poverty_act.filer_credit.phase_out.start` | End Child Poverty Act filer credit phase-out start | 1 | 5 | -| 178 | `gov.contrib.congress.tlaib.end_child_poverty_act.filer_credit.amount` | End Child Poverty Act filer credit amount | 1 | 5 | -| 179 | `gov.contrib.congress.tlaib.economic_dignity_for_all_agenda.end_child_poverty_act.filer_credit.phase_out.start` | Filer credit phase-out start | 1 | 5 | -| 180 | `gov.contrib.congress.tlaib.economic_dignity_for_all_agenda.end_child_poverty_act.filer_credit.amount` | Filer credit amount | 1 | 5 | -| 181 | `gov.contrib.congress.afa.ctc.phase_out.threshold.lower` | AFA CTC phase-out lower threshold | 1 | 5 | -| 182 | `gov.contrib.congress.afa.ctc.phase_out.threshold.higher` | AFA CTC phase-out higher threshold | 1 | 5 | -| 183 | `gov.local.ca.riv.general_relief.needs_standards.personal_needs` | Riverside County General Relief personal needs standard | 1 | 5 | -| 184 | `gov.local.ca.riv.general_relief.needs_standards.food` | Riverside County General Relief food needs standard | 1 | 5 | -| 185 | `gov.local.ca.riv.general_relief.needs_standards.housing` | Riverside County General Relief housing needs standard | 1 | 5 | -| 186 | `gov.local.ny.nyc.tax.income.credits.school.fixed.amount` | NYC School Tax Credit Fixed Amount | 1 | 5 | -| 187 | `gov.states.vt.tax.income.agi.retirement_income_exemption.social_security.reduction.end` | Vermont social security retirement income exemption income threshold | 1 | 5 | -| 188 | `gov.states.vt.tax.income.agi.retirement_income_exemption.social_security.reduction.start` | Vermont social security retirement income exemption reduction threshold | 1 | 5 | -| 189 | `gov.states.vt.tax.income.agi.retirement_income_exemption.csrs.reduction.end` | Vermont CSRS and military retirement income exemption income threshold | 1 | 5 | -| 190 | `gov.states.vt.tax.income.agi.retirement_income_exemption.csrs.reduction.start` | Vermont CSRS and military retirement income exemption reduction threshold | 1 | 5 | -| 191 | `gov.states.vt.tax.income.deductions.standard.base` | Vermont standard deduction | 1 | 5 | -| 192 | `gov.states.vt.tax.income.credits.cdcc.low_income.income_threshold` | Vermont low-income CDCC AGI limit | 1 | 5 | -| 193 | `gov.states.va.tax.income.subtractions.age_deduction.threshold` | Adjusted federal AGI threshold for VA taxpayers eligible for an age deduction | 1 | 5 | -| 194 | `gov.states.va.tax.income.deductions.itemized.applicable_amount` | Virginia itemized deduction applicable amount | 1 | 5 | -| 195 | `gov.states.va.tax.income.deductions.standard` | Virginia standard deduction | 1 | 5 | -| 196 | `gov.states.va.tax.income.rebate.amount` | Virginia rebate amount | 1 | 5 | -| 197 | `gov.states.va.tax.income.filing_requirement` | Virginia filing requirement | 1 | 5 | -| 198 | `gov.states.ut.tax.income.credits.ctc.reduction.start` | Utah child tax credit reduction start | 1 | 5 | -| 199 | `gov.states.ga.tax.income.deductions.standard.amount` | Georgia standard deduction amount | 1 | 5 | -| 200 | `gov.states.ga.tax.income.exemptions.personal.amount` | Georgia personal exemption amount | 1 | 5 | -| 201 | `gov.states.ga.tax.income.credits.surplus_tax_rebate.amount` | Georgia surplus tax rebate amount | 1 | 5 | -| 202 | `gov.states.ms.tax.income.deductions.standard.amount` | Mississippi standard deduction | 1 | 5 | -| 203 | `gov.states.ms.tax.income.exemptions.regular.amount` | Mississippi exemption | 1 | 5 | -| 204 | `gov.states.ms.tax.income.credits.charitable_contribution.cap` | Mississippi credit for contributions to foster organizations cap | 1 | 5 | -| 205 | `gov.states.mt.tax.income.deductions.itemized.federal_income_tax.cap` | Montana federal income tax deduction cap | 1 | 5 | -| 206 | `gov.states.mt.tax.income.deductions.standard.floor` | Montana minimum standard deduction | 1 | 5 | -| 207 | `gov.states.mt.tax.income.deductions.standard.cap` | Montana standard deduction max amount | 1 | 5 | -| 208 | `gov.states.mt.tax.income.social_security.amount.upper` | Montana social security benefits amount | 1 | 5 | -| 209 | `gov.states.mt.tax.income.social_security.amount.lower` | Montana social security benefits amount | 1 | 5 | -| 210 | `gov.states.mt.tax.income.main.capital_gains.rates.main` | Montana capital gains tax rate when nonqualified income exceeds threshold | 1 | 5 | -| 211 | `gov.states.mt.tax.income.main.capital_gains.threshold` | Montana capital gains tax threshold | 1 | 5 | -| 212 | `gov.states.mt.tax.income.exemptions.interest.cap` | Montana senior interest income exclusion cap | 1 | 5 | -| 213 | `gov.states.mt.tax.income.credits.rebate.amount` | Montana income tax rebate amount | 1 | 5 | -| 214 | `gov.states.mo.tax.income.deductions.federal_income_tax.cap` | Missouri federal income tax deduction caps | 1 | 5 | -| 215 | `gov.states.mo.tax.income.deductions.mo_private_pension_deduction_allowance` | Missouri private pension deduction allowance | 1 | 5 | -| 216 | `gov.states.mo.tax.income.deductions.social_security_and_public_pension.mo_ss_or_ssd_deduction_allowance` | Missouri social security or social security disability deduction allowance | 1 | 5 | -| 217 | `gov.states.mo.tax.income.deductions.social_security_and_public_pension.mo_public_pension_deduction_allowance` | Missouri Public Pension Deduction Allowance | 1 | 5 | -| 218 | `gov.states.mo.tax.income.deductions.social_security_and_public_pension.mo_ss_or_ssdi_exemption_threshold` | Missouri social security or social security disability income exemption threshold | 1 | 5 | -| 219 | `gov.states.ma.tax.income.deductions.rent.cap` | Massachusetts rental deduction cap. | 1 | 5 | -| 220 | `gov.states.ma.tax.income.exempt_status.limit.personal_exemption_added` | Massachusetts income tax exemption limit includes personal exemptions | 1 | 5 | -| 221 | `gov.states.ma.tax.income.exempt_status.limit.base` | AGI addition to limit to be exempt from Massachusetts income tax. | 1 | 5 | -| 222 | `gov.states.ma.tax.income.exemptions.interest.amount` | Massachusetts interest exemption | 1 | 5 | -| 223 | `gov.states.ma.tax.income.exemptions.personal` | Massachusetts income tax personal exemption | 1 | 5 | -| 224 | `gov.states.ma.tax.income.credits.senior_circuit_breaker.eligibility.max_income` | Massachusetts Senior Circuit Breaker maximum income | 1 | 5 | -| 225 | `gov.states.al.tax.income.deductions.standard.amount.max` | Alabama standard deduction maximum amount | 1 | 5 | -| 226 | `gov.states.al.tax.income.deductions.standard.amount.min` | Alabama standard deduction minimum amount | 1 | 5 | -| 227 | `gov.states.al.tax.income.deductions.standard.phase_out.increment` | Alabama standard deduction phase-out increment | 1 | 5 | -| 228 | `gov.states.al.tax.income.deductions.standard.phase_out.rate` | Alabama standard deduction phase-out rate | 1 | 5 | -| 229 | `gov.states.al.tax.income.deductions.standard.phase_out.threshold` | Alabama standard deduction phase-out threshold | 1 | 5 | -| 230 | `gov.states.al.tax.income.exemptions.personal` | Alabama personal exemption amount | 1 | 5 | -| 231 | `gov.states.nh.tax.income.exemptions.amount.base` | New Hampshire base exemption amount | 1 | 5 | -| 232 | `gov.states.mn.tax.income.subtractions.education_savings.cap` | Minnesota 529 plan contribution subtraction maximum | 1 | 5 | -| 233 | `gov.states.mn.tax.income.subtractions.elderly_disabled.agi_offset_base` | Minnesota base AGI offset in elderly/disabled subtraction calculations | 1 | 5 | -| 234 | `gov.states.mn.tax.income.subtractions.elderly_disabled.base_amount` | Minnesota base amount in elderly/disabled subtraction calculations | 1 | 5 | -| 235 | `gov.states.mn.tax.income.subtractions.social_security.alternative_amount` | Minnesota social security subtraction alternative subtraction amount | 1 | 5 | -| 236 | `gov.states.mn.tax.income.subtractions.social_security.reduction.start` | Minnesota social security subtraction reduction start | 1 | 5 | -| 237 | `gov.states.mn.tax.income.subtractions.social_security.income_amount` | Minnesota social security subtraction income amount | 1 | 5 | -| 238 | `gov.states.mn.tax.income.subtractions.pension_income.reduction.start` | Minnesota public pension income subtraction agi threshold | 1 | 5 | -| 239 | `gov.states.mn.tax.income.subtractions.pension_income.cap` | Minnesota public pension income subtraction cap | 1 | 5 | -| 240 | `gov.states.mn.tax.income.amt.fractional_income_threshold` | Minnesota fractional excess income threshold | 1 | 5 | -| 241 | `gov.states.mn.tax.income.amt.income_threshold` | Minnesota AMT taxable income threshold | 1 | 5 | -| 242 | `gov.states.mn.tax.income.deductions.itemized.reduction.agi_threshold.high` | Minnesota itemized deduction higher reduction AGI threshold | 1 | 5 | -| 243 | `gov.states.mn.tax.income.deductions.itemized.reduction.agi_threshold.low` | Minnesota itemized deduction lower reduction AGI threshold | 1 | 5 | -| 244 | `gov.states.mn.tax.income.deductions.standard.extra` | Minnesota extra standard deduction amount for each aged/blind head/spouse | 1 | 5 | -| 245 | `gov.states.mn.tax.income.deductions.standard.reduction.agi_threshold.high` | Minnesota standard deduction higher reduction AGI threshold | 1 | 5 | -| 246 | `gov.states.mn.tax.income.deductions.standard.reduction.agi_threshold.low` | Minnesota standard deduction lower reduction AGI threshold | 1 | 5 | -| 247 | `gov.states.mn.tax.income.deductions.standard.base` | Minnesota base standard deduction amount | 1 | 5 | -| 248 | `gov.states.mn.tax.income.exemptions.agi_threshold` | federal adjusted gross income threshold above which Minnesota exemptions are limited | 1 | 5 | -| 249 | `gov.states.mn.tax.income.exemptions.agi_step_size` | federal adjusted gross income step size used to limit Minnesota exemptions | 1 | 5 | -| 250 | `gov.states.mi.tax.income.deductions.standard.tier_three.amount` | Michigan tier three standard deduction amount | 1 | 5 | -| 251 | `gov.states.mi.tax.income.deductions.standard.tier_two.amount.base` | Michigan tier two standard deduction base | 1 | 5 | -| 252 | `gov.states.mi.tax.income.deductions.interest_dividends_capital_gains.amount` | Michigan interest, dividends, and capital gains deduction amount | 1 | 5 | -| 253 | `gov.states.mi.tax.income.deductions.retirement_benefits.tier_three.ss_exempt.retired.both_qualifying_amount` | Michigan tier three retirement and pension deduction both qualifying seniors | 1 | 5 | -| 254 | `gov.states.mi.tax.income.deductions.retirement_benefits.tier_three.ss_exempt.retired.single_qualifying_amount` | Michigan tier three retirement and pension deduction single qualifying senior amount | 1 | 5 | -| 255 | `gov.states.mi.tax.income.deductions.retirement_benefits.tier_one.amount` | Michigan tier one retirement and pension benefits amount | 1 | 5 | -| 256 | `gov.states.mi.tax.income.exemptions.dependent_on_other_return` | Michigan dependent on other return exemption amount | 1 | 5 | -| 257 | `gov.states.ok.tax.income.deductions.standard.amount` | Oklahoma standard deduction amount | 1 | 5 | -| 258 | `gov.states.ok.tax.income.exemptions.special_agi_limit` | Oklahoma special exemption federal AGI limit | 1 | 5 | -| 259 | `gov.states.in.tax.income.deductions.homeowners_property_tax.max` | Indiana max homeowner's property tax deduction | 1 | 5 | -| 260 | `gov.states.in.tax.income.deductions.renters.max` | Indiana max renter's deduction | 1 | 5 | -| 261 | `gov.states.in.tax.income.deductions.unemployment_compensation.agi_reduction` | Indiana AGI reduction for calculation of maximum unemployment compensation deduction | 1 | 5 | -| 262 | `gov.states.in.tax.income.exemptions.aged_low_agi.threshold` | Indiana low AGI aged exemption income limit | 1 | 5 | -| 263 | `gov.states.co.tax.income.subtractions.collegeinvest_contribution.max_amount` | Colorado CollegeInvest contribution subtraction max amount | 1 | 5 | -| 264 | `gov.states.co.tax.income.subtractions.able_contribution.cap` | Colorado ABLE contribution subtraction cap | 1 | 5 | -| 265 | `gov.states.co.tax.income.additions.federal_deductions.exemption` | Colorado itemized or standard deduction add back exemption | 1 | 5 | -| 266 | `gov.states.co.tax.income.additions.qualified_business_income_deduction.agi_threshold` | Colorado qualified business income deduction addback AGI threshold | 1 | 5 | -| 267 | `gov.states.co.tax.income.credits.income_qualified_senior_housing.reduction.max_amount` | Colorado income qualified senior housing income tax credit max amount | 1 | 5 | -| 268 | `gov.states.co.tax.income.credits.income_qualified_senior_housing.reduction.amount` | Colorado income qualified senior housing income tax credit reduction amount | 1 | 5 | -| 269 | `gov.states.co.tax.income.credits.sales_tax_refund.amount.multiplier` | Colorado sales tax refund filing status multiplier | 1 | 5 | -| 270 | `gov.states.co.tax.income.credits.family_affordability.reduction.threshold` | Colorado family affordability tax credit income-based reduction start | 1 | 5 | -| 271 | `gov.states.ca.tax.income.amt.exemption.amti.threshold.upper` | California alternative minimum tax exemption upper AMTI threshold | 1 | 5 | -| 272 | `gov.states.ca.tax.income.amt.exemption.amti.threshold.lower` | California alternative minimum tax exemption lower AMTI threshold | 1 | 5 | -| 273 | `gov.states.ca.tax.income.amt.exemption.amount` | California exemption amount | 1 | 5 | -| 274 | `gov.states.ca.tax.income.deductions.itemized.limit.agi_threshold` | California itemized deduction limitation threshold | 1 | 5 | -| 275 | `gov.states.ca.tax.income.deductions.standard.amount` | California standard deduction | 1 | 5 | -| 276 | `gov.states.ca.tax.income.exemptions.phase_out.increment` | California exemption phase out increment | 1 | 5 | -| 277 | `gov.states.ca.tax.income.exemptions.phase_out.start` | California exemption phase out start | 1 | 5 | -| 278 | `gov.states.ca.tax.income.exemptions.personal_scale` | California income personal exemption scaling factor | 1 | 5 | -| 279 | `gov.states.ca.tax.income.credits.renter.amount` | California renter tax credit amount | 1 | 5 | -| 280 | `gov.states.ca.tax.income.credits.renter.income_cap` | California renter tax credit AGI cap | 1 | 5 | -| 281 | `gov.states.ia.tax.income.alternative_minimum_tax.threshold` | Iowa alternative minimum tax threshold amount | 1 | 5 | -| 282 | `gov.states.ia.tax.income.alternative_minimum_tax.exemption` | Iowa alternative minimum tax exemption amount | 1 | 5 | -| 283 | `gov.states.ia.tax.income.deductions.standard.amount` | Iowa standard deduction amount | 1 | 5 | -| 284 | `gov.states.ia.tax.income.pension_exclusion.maximum_amount` | Iowa maximum pension exclusion amount | 1 | 5 | -| 285 | `gov.states.ia.tax.income.reportable_social_security.deduction` | Iowa reportable social security income deduction | 1 | 5 | -| 286 | `gov.states.ct.tax.income.subtractions.tuition.cap` | Connecticut state tuition subtraction max amount | 1 | 5 | -| 287 | `gov.states.ct.tax.income.subtractions.social_security.reduction_threshold` | Connecticut social security subtraction reduction threshold | 1 | 5 | -| 288 | `gov.states.ct.tax.income.add_back.increment` | Connecticut income tax phase out brackets | 1 | 5 | -| 289 | `gov.states.ct.tax.income.add_back.max_amount` | Connecticut income tax phase out max amount | 1 | 5 | -| 290 | `gov.states.ct.tax.income.add_back.amount` | Connecticut bottom income tax phase out amount | 1 | 5 | -| 291 | `gov.states.ct.tax.income.add_back.start` | Connecticut income tax phase out start | 1 | 5 | -| 292 | `gov.states.ct.tax.income.rebate.reduction.start` | Connecticut child tax rebate reduction start | 1 | 5 | -| 293 | `gov.states.ct.tax.income.exemptions.personal.max_amount` | Connecticut personal exemption max amount | 1 | 5 | -| 294 | `gov.states.ct.tax.income.exemptions.personal.reduction.start` | Connecticut personal exemption reduction start | 1 | 5 | -| 295 | `gov.states.ct.tax.income.credits.property_tax.reduction.increment` | Connecticut property tax reduction increment | 1 | 5 | -| 296 | `gov.states.ct.tax.income.credits.property_tax.reduction.start` | Connecticut Property Tax Credit reduction start | 1 | 5 | -| 297 | `gov.states.ct.tax.income.recapture.middle.increment` | Connecticut income tax recapture middle bracket increment | 1 | 5 | -| 298 | `gov.states.ct.tax.income.recapture.middle.max_amount` | Connecticut income tax recapture middle bracket max amount | 1 | 5 | -| 299 | `gov.states.ct.tax.income.recapture.middle.amount` | Connecticut income tax recapture middle bracket amount | 1 | 5 | -| 300 | `gov.states.ct.tax.income.recapture.middle.start` | Connecticut income tax recapture middle bracket start | 1 | 5 | -| 301 | `gov.states.ct.tax.income.recapture.high.increment` | Connecticut income tax recapture high bracket increment | 1 | 5 | -| 302 | `gov.states.ct.tax.income.recapture.high.max_amount` | Connecticut income tax recapture high bracket max amount | 1 | 5 | -| 303 | `gov.states.ct.tax.income.recapture.high.amount` | Connecticut income tax recapture high bracket increment | 1 | 5 | -| 304 | `gov.states.ct.tax.income.recapture.high.start` | Connecticut income tax recapture high bracket start | 1 | 5 | -| 305 | `gov.states.ct.tax.income.recapture.low.increment` | Connecticut income tax recapture low bracket increment | 1 | 5 | -| 306 | `gov.states.ct.tax.income.recapture.low.max_amount` | Connecticut income tax recapture low bracket max amount | 1 | 5 | -| 307 | `gov.states.ct.tax.income.recapture.low.amount` | Connecticut income tax recapture low bracket amount | 1 | 5 | -| 308 | `gov.states.ct.tax.income.recapture.low.start` | Connecticut income tax recapture low bracket start | 1 | 5 | -| 309 | `gov.states.wv.tax.income.subtractions.social_security_benefits.income_limit` | West Virginia social security benefits subtraction income limit | 1 | 5 | -| 310 | `gov.states.wv.tax.income.subtractions.low_income_earned_income.income_limit` | West Virginia low-income earned income exclusion income limit | 1 | 5 | -| 311 | `gov.states.wv.tax.income.subtractions.low_income_earned_income.amount` | West Virginia low-income earned income exclusion low-income earned income exclusion limit | 1 | 5 | -| 312 | `gov.states.wv.tax.income.credits.liftc.fpg_percent` | West Virginia low-income family tax credit MAGI limit | 1 | 5 | -| 313 | `gov.states.ri.tax.income.agi.subtractions.tuition_saving_program_contributions.cap` | Rhode Island tuition saving program contribution deduction cap | 1 | 5 | -| 314 | `gov.states.ri.tax.income.agi.subtractions.taxable_retirement_income.income_limit` | Rhode Island taxable retirement income subtraction income limit | 1 | 5 | -| 315 | `gov.states.ri.tax.income.agi.subtractions.social_security.limit.income` | Rhode Island social security subtraction income limit | 1 | 5 | -| 316 | `gov.states.ri.tax.income.deductions.standard.amount` | Rhode Island standard deduction amount | 1 | 5 | -| 317 | `gov.states.ri.tax.income.credits.child_tax_rebate.limit.income` | Rhode Island child tax rebate income limit | 1 | 5 | -| 318 | `gov.states.nc.tax.income.deductions.standard.amount` | North Carolina standard deduction amount | 1 | 5 | -| 319 | `gov.states.nm.tax.income.rebates.property_tax.max_amount` | New Mexico property tax rebate max amount | 1 | 5 | -| 320 | `gov.states.nm.tax.income.rebates.2021_income.supplemental.amount` | New Mexico supplemental 2021 income tax rebate amount | 1 | 5 | -| 321 | `gov.states.nm.tax.income.rebates.2021_income.additional.amount` | New Mexico additional 2021 income tax rebate amount | 1 | 5 | -| 322 | `gov.states.nm.tax.income.rebates.2021_income.main.income_limit` | New Mexico main 2021 income tax rebate income limit | 1 | 5 | -| 323 | `gov.states.nm.tax.income.rebates.2021_income.main.amount` | New Mexico main 2021 income tax rebate amount | 1 | 5 | -| 324 | `gov.states.nm.tax.income.deductions.certain_dependents.amount` | New Mexico deduction for certain dependents | 1 | 5 | -| 325 | `gov.states.nm.tax.income.exemptions.low_and_middle_income.income_limit` | New Mexico low- and middle-income exemption income limit | 1 | 5 | -| 326 | `gov.states.nm.tax.income.exemptions.low_and_middle_income.reduction.income_threshold` | New Mexico low- and middle-income exemption reduction threshold | 1 | 5 | -| 327 | `gov.states.nm.tax.income.exemptions.low_and_middle_income.reduction.rate` | New Mexico low- and middle-income exemption reduction rate | 1 | 5 | -| 328 | `gov.states.nm.tax.income.exemptions.social_security_income.income_limit` | New Mexico social security income exemption income limit | 1 | 5 | -| 329 | `gov.states.nj.tax.income.filing_threshold` | NJ filing threshold | 1 | 5 | -| 330 | `gov.states.nj.tax.income.exclusions.retirement.max_amount` | New Jersey pension/retirement maximum exclusion amount | 1 | 5 | -| 331 | `gov.states.nj.tax.income.exclusions.retirement.special_exclusion.amount` | NJ other retirement income special exclusion. | 1 | 5 | -| 332 | `gov.states.nj.tax.income.exemptions.regular.amount` | New Jersey Regular Exemption | 1 | 5 | -| 333 | `gov.states.nj.tax.income.credits.property_tax.income_limit` | New Jersey property tax credit income limit | 1 | 5 | -| 334 | `gov.states.me.tax.income.deductions.phase_out.width` | Maine standard/itemized deduction phase-out width | 1 | 5 | -| 335 | `gov.states.me.tax.income.deductions.phase_out.start` | Maine standard/itemized exemption phase-out start | 1 | 5 | -| 336 | `gov.states.me.tax.income.deductions.personal_exemption.phaseout.width` | Maine personal exemption phase-out width | 1 | 5 | -| 337 | `gov.states.me.tax.income.deductions.personal_exemption.phaseout.start` | Maine personal exemption phase-out start | 1 | 5 | -| 338 | `gov.states.me.tax.income.credits.relief_rebate.income_limit` | Maine Relief Rebate income limit | 1 | 5 | -| 339 | `gov.states.me.tax.income.credits.fairness.sales_tax.amount.base` | Maine sales tax fairness credit base amount | 1 | 5 | -| 340 | `gov.states.me.tax.income.credits.fairness.sales_tax.reduction.increment` | Maine sales tax fairness credit phase-out increment | 1 | 5 | -| 341 | `gov.states.me.tax.income.credits.fairness.sales_tax.reduction.amount` | Maine sales tax fairness credit phase-out amount | 1 | 5 | -| 342 | `gov.states.me.tax.income.credits.fairness.sales_tax.reduction.start` | Maine sales tax fairness credit phase-out start | 1 | 5 | -| 343 | `gov.states.me.tax.income.credits.dependent_exemption.phase_out.start` | Maine dependents exemption phase-out start | 1 | 5 | -| 344 | `gov.states.ar.tax.income.deductions.standard` | Arkansas standard deduction | 1 | 5 | -| 345 | `gov.states.ar.tax.income.gross_income.capital_gains.loss_cap` | Arkansas long-term capital gains tax loss cap | 1 | 5 | -| 346 | `gov.states.ar.tax.income.credits.inflationary_relief.max_amount` | Arkansas income-tax credit maximum amount | 1 | 5 | -| 347 | `gov.states.ar.tax.income.credits.inflationary_relief.reduction.increment` | Arkansas income reduction increment | 1 | 5 | -| 348 | `gov.states.ar.tax.income.credits.inflationary_relief.reduction.amount` | Arkansas inflation relief credit reduction amount | 1 | 5 | -| 349 | `gov.states.ar.tax.income.credits.inflationary_relief.reduction.start` | Arkansas inflation reduction credit reduction start | 1 | 5 | -| 350 | `gov.states.dc.tax.income.deductions.itemized.phase_out.start` | DC itemized deduction phase-out DC AGI start | 1 | 5 | -| 351 | `gov.states.dc.tax.income.credits.kccatc.income_limit` | DC KCCATC DC taxable income limit | 1 | 5 | -| 352 | `gov.states.dc.tax.income.credits.ctc.income_threshold` | DC Child Tax Credit taxable income threshold | 1 | 5 | -| 353 | `gov.states.md.tax.income.deductions.itemized.phase_out.threshold` | Maryland itemized deduction phase-out threshold | 1 | 5 | -| 354 | `gov.states.md.tax.income.deductions.standard.max` | Maryland maximum standard deduction | 1 | 5 | -| 355 | `gov.states.md.tax.income.deductions.standard.min` | Maryland minimum standard deduction | 1 | 5 | -| 356 | `gov.states.md.tax.income.deductions.standard.flat_deduction.amount` | Maryland standard deduction flat amount | 1 | 5 | -| 357 | `gov.states.md.tax.income.credits.cdcc.phase_out.increment` | Maryland CDCC phase-out increment | 1 | 5 | -| 358 | `gov.states.md.tax.income.credits.cdcc.phase_out.start` | Maryland CDCC phase-out start | 1 | 5 | -| 359 | `gov.states.md.tax.income.credits.cdcc.eligibility.agi_cap` | Maryland CDCC AGI cap | 1 | 5 | -| 360 | `gov.states.md.tax.income.credits.cdcc.eligibility.refundable_agi_cap` | Maryland refundable CDCC AGI cap | 1 | 5 | -| 361 | `gov.states.md.tax.income.credits.senior_tax.income_threshold` | Maryland Senior Tax Credit income threshold | 1 | 5 | -| 362 | `gov.states.ks.tax.income.rates.zero_tax_threshold` | KS zero-tax taxable-income threshold | 1 | 5 | -| 363 | `gov.states.ks.tax.income.deductions.standard.extra_amount` | Kansas extra standard deduction for elderly and blind | 1 | 5 | -| 364 | `gov.states.ks.tax.income.deductions.standard.base_amount` | Kansas base standard deduction | 1 | 5 | -| 365 | `gov.states.ne.tax.income.agi.subtractions.social_security.threshold` | Nebraska social security AGI subtraction threshold | 1 | 5 | -| 366 | `gov.states.ne.tax.income.deductions.standard.base_amount` | Nebraska standard deduction base amount | 1 | 5 | -| 367 | `gov.states.ne.tax.income.credits.school_readiness.amount.refundable` | Nebraska School Readiness credit refundable amount | 1 | 5 | -| 368 | `gov.states.hi.tax.income.deductions.itemized.threshold.deductions` | Hawaii itemized deductions deductions threshold | 13 | 5 | -| 369 | `gov.states.hi.tax.income.deductions.itemized.threshold.reduction` | Hawaii itemized deductions reduction threshold | 1 | 5 | -| 370 | `gov.states.hi.tax.income.deductions.standard.amount` | Hawaii standard deduction amount | 1 | 5 | -| 371 | `gov.states.de.tax.income.subtractions.exclusions.elderly_or_disabled.eligibility.agi_limit` | Delaware aged or disabled exclusion subtraction adjusted gross income limit | 1 | 5 | -| 372 | `gov.states.de.tax.income.subtractions.exclusions.elderly_or_disabled.eligibility.earned_income_limit` | Delaware aged or disabled exclusion earned income limit | 1 | 5 | -| 373 | `gov.states.de.tax.income.subtractions.exclusions.elderly_or_disabled.amount` | Delaware aged or disabled exclusion amount | 1 | 5 | -| 374 | `gov.states.de.tax.income.deductions.standard.amount` | Delaware Standard Deduction | 1 | 5 | -| 375 | `gov.states.az.tax.income.credits.charitable_contribution.ceiling.qualifying_organization` | Arizona charitable contribution credit cap | 1 | 5 | -| 376 | `gov.states.az.tax.income.credits.charitable_contribution.ceiling.qualifying_foster` | Arizona credit for contributions to foster organizations cap | 1 | 5 | -| 377 | `gov.states.az.tax.income.credits.dependent_credit.reduction.start` | Arizona dependent tax credit phase out start | 1 | 5 | -| 378 | `gov.states.az.tax.income.credits.increased_excise.income_threshold` | Arizona Increased Excise Tax Credit income threshold | 1 | 5 | -| 379 | `gov.states.az.tax.income.credits.family_tax_credits.amount.cap` | Arizona family tax credit maximum amount | 1 | 5 | -| 380 | `gov.states.ny.tax.income.deductions.standard.amount` | New York standard deduction | 1 | 5 | -| 381 | `gov.states.ny.tax.income.credits.ctc.post_2024.phase_out.threshold` | New York CTC post 2024 phase-out thresholds | 1 | 5 | -| 382 | `gov.states.id.tax.income.deductions.retirement_benefits.cap` | Idaho retirement benefit deduction cap | 1 | 5 | -| 383 | `gov.states.id.tax.income.credits.special_seasonal_rebate.floor` | Idaho special seasonal rebate floor | 1 | 5 | -| 384 | `gov.states.or.tax.income.deductions.standard.aged_or_blind.amount` | Oregon standard deduction addition for 65 or older or blind | 1 | 5 | -| 385 | `gov.states.or.tax.income.deductions.standard.amount` | Oregon standard deduction | 1 | 5 | -| 386 | `gov.states.or.tax.income.credits.exemption.income_limit.regular` | Oregon exemption credit income limit (regular) | 1 | 5 | -| 387 | `gov.states.or.tax.income.credits.retirement_income.income_threshold` | Oregon retirement income credit income threshold | 1 | 5 | -| 388 | `gov.states.or.tax.income.credits.retirement_income.base` | Oregon retirement income credit base | 1 | 5 | -| 389 | `gov.states.la.tax.income.deductions.standard.amount` | Louisiana standard deduction amount | 1 | 5 | -| 390 | `gov.states.la.tax.income.exemptions.personal` | Louisiana personal exemption amount | 1 | 5 | -| 391 | `gov.states.wi.tax.income.subtractions.retirement_income.max_agi` | Wisconsin retirement income subtraction maximum adjusted gross income | 1 | 5 | -| 392 | `gov.states.wi.dcf.works.placement.amount` | Wisconsin Works payment amount | 1 | 5 | -| 393 | `gov.irs.deductions.overtime_income.phase_out.start` | Overtime income exemption phase out start | 1 | 5 | -| 394 | `gov.irs.deductions.overtime_income.cap` | Overtime income exemption cap | 1 | 5 | -| 395 | `gov.irs.deductions.qbi.phase_out.start` | Qualified business income deduction phase-out start | 1 | 5 | -| 396 | `gov.irs.deductions.itemized.limitation.applicable_amount` | Itemized deductions applicable amount | 1 | 5 | -| 397 | `gov.irs.deductions.itemized.interest.mortgage.cap` | IRS home mortgage value cap | 13 | 5 | -| 398 | `gov.irs.deductions.itemized.reduction.agi_threshold` | IRS itemized deductions reduction threshold | 1 | 5 | -| 399 | `gov.irs.deductions.itemized.salt_and_real_estate.phase_out.threshold` | SALT deduction phase out threshold | 1 | 5 | -| 400 | `gov.irs.deductions.itemized.salt_and_real_estate.phase_out.floor.amount` | SALT deduction floor amount | 1 | 5 | -| 401 | `gov.irs.deductions.itemized.charity.non_itemizers_amount` | Charitable deduction amount for non-itemizers | 1 | 5 | -| 402 | `gov.irs.deductions.standard.aged_or_blind.amount` | Additional standard deduction for the blind and aged | 1 | 5 | -| 403 | `gov.irs.deductions.standard.amount` | Standard deduction | 1 | 5 | -| 404 | `gov.irs.deductions.auto_loan_interest.phase_out.start` | Auto loan interest deduction reduction start | 1 | 5 | -| 405 | `gov.irs.deductions.tip_income.phase_out.start` | Tip income exemption phase out start | 1 | 5 | -| 406 | `gov.irs.income.amt.multiplier` | AMT tax bracket multiplier | 1 | 5 | -| 407 | `gov.irs.gross_income.dependent_care_assistance_programs.reduction_amount` | IRS reduction amount from gross income for dependent care assistance | 13 | 5 | -| 408 | `gov.irs.ald.loss.capital.max` | Maximum capital loss deductible above-the-line | 1 | 5 | -| 409 | `gov.irs.ald.student_loan_interest.reduction.divisor` | Student loan interest deduction reduction divisor | 1 | 5 | -| 410 | `gov.irs.ald.student_loan_interest.reduction.start` | Student loan interest deduction amount | 1 | 5 | -| 411 | `gov.irs.ald.student_loan_interest.cap` | Student loan interest deduction cap | 1 | 5 | -| 412 | `gov.irs.social_security.taxability.threshold.adjusted_base.main` | Social Security taxability additional threshold | 13 | 5 | -| 413 | `gov.irs.social_security.taxability.threshold.base.main` | Social Security taxability base threshold | 13 | 5 | -| 414 | `gov.irs.credits.recovery_rebate_credit.caa.phase_out.threshold` | Second Recovery Rebate Credit phase-out starting threshold | 1 | 5 | -| 415 | `gov.irs.credits.recovery_rebate_credit.arpa.phase_out.threshold` | ARPA Recovery Rebate Credit phase-out starting threshold | 1 | 5 | -| 416 | `gov.irs.credits.recovery_rebate_credit.arpa.phase_out.length` | ARPA Recovery Rebate Credit phase-out length | 1 | 5 | -| 417 | `gov.irs.credits.recovery_rebate_credit.cares.phase_out.threshold` | CARES Recovery Rebate Credit phase-out starting threshold | 1 | 5 | -| 418 | `gov.irs.credits.retirement_saving.rate.threshold_adjustment` | Retirement Savings Contributions Credit (Saver's Credit) threshold adjustment rate | 1 | 5 | -| 419 | `gov.irs.credits.clean_vehicle.new.eligibility.income_limit` | Income limit for new clean vehicle credit | 1 | 5 | -| 420 | `gov.irs.credits.clean_vehicle.used.eligibility.income_limit` | Income limit for used clean vehicle credit | 1 | 5 | -| 421 | `gov.irs.credits.ctc.phase_out.threshold` | CTC phase-out threshold | 1 | 5 | -| 422 | `gov.irs.credits.cdcc.phase_out.amended_structure.second_start` | CDCC amended phase-out second start | 1 | 5 | -| 423 | `gov.hud.ami_limit.per_person_exceeding_4` | HUD area median income limit per person exceeding 4 | 1 | 5 | -| 424 | `gov.ed.pell_grant.sai.fpg_fraction.max_pell_limits` | Maximum Pell Grant income limits | 1 | 4 | -| 425 | `gov.states.az.tax.income.subtractions.college_savings.cap` | Arizona college savings plan subtraction cap | 1 | 4 | -| 426 | `gov.states.az.tax.income.deductions.standard.amount` | Arizona standard deduction | 1 | 4 | -| 427 | `gov.irs.credits.clean_vehicle.new.eligibility.msrp_limit` | MSRP limit for new clean vehicle credit | 1 | 4 | -| 428 | `gov.states.ma.eec.ccfa.reimbursement_rates.family_child_care.younger` | Massachusetts CCFA family child care younger child reimbursement rates | 1 | 3 | -| 429 | `gov.states.ma.eec.ccfa.reimbursement_rates.family_child_care.older` | Massachusetts CCFA family child care older child reimbursement rates | 1 | 3 | -| 430 | `gov.states.md.tax.income.credits.senior_tax.amount.joint` | Maryland Senior Tax Credit joint amount | 1 | 3 | -| 431 | `gov.states.il.idoa.bap.income_limit` | Illinois Benefit Access Program income limit | 1 | 3 | -| 432 | `gov.states.il.dhs.aabd.asset.disregard.base` | Illinois AABD asset disregard base amount | 1 | 2 | - ---- - -## Detailed Analysis - -### 1. `gov.states.nc.ncdhhs.scca.childcare_market_rates` - -**Label:** North Carolina SCCA program market rates - -**Breakdown dimensions:** `['county', 'range(1, 5)']` - -**Child parameters:** 12,896 - -**Dimension analysis:** -- `county` → Variable/enum lookup (may or may not have labels) -- `range(1, 5)` → **Raw numeric index (NO semantic label)** - -**Example - Current label generation:** -- Parameter: `gov.states.nc.ncdhhs.scca.childcare_market_rates.ALAMANCE_COUNTY_NC.1` -- Generated label: "North Carolina SCCA program market rates (ALAMANCE_COUNTY_NC, 1)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ['[CHECK: county]', '[NEEDS: label for range(1, 5)]']` - ---- - -### 2. `gov.states.tx.twc.ccs.payment.rates` - -**Label:** Texas CCS maximum reimbursement rates by workforce board region - -**Breakdown dimensions:** `['tx_ccs_workforce_board_region', 'tx_ccs_provider_type', 'tx_ccs_provider_rating', 'tx_ccs_child_age_category', 'tx_ccs_care_schedule']` - -**Child parameters:** 8,064 - -**Dimension analysis:** -- `tx_ccs_workforce_board_region` → Variable/enum lookup (may or may not have labels) -- `tx_ccs_provider_type` → Variable/enum lookup (may or may not have labels) -- `tx_ccs_provider_rating` → Variable/enum lookup (may or may not have labels) -- `tx_ccs_child_age_category` → Variable/enum lookup (may or may not have labels) -- `tx_ccs_care_schedule` → Variable/enum lookup (may or may not have labels) - -**Example - Current label generation:** -- Parameter: `gov.states.tx.twc.ccs.payment.rates.ALAMO.LCCC.REG.INFANT.FULL_TIME` -- Generated label: "Texas CCS maximum reimbursement rates by workforce board region (ALAMO, LCCC, REG, INFANT, FULL_TIME)" - -**Suggested improvement:** -- ℹ️ Uses custom enum variables - verify they have display labels -- Consider adding `breakdown_labels` for clarity - ---- - -### 3. `gov.irs.deductions.itemized.salt_and_real_estate.state_sales_tax_table.tax` - -**Label:** Optional state sales tax table - -**Breakdown dimensions:** `['state_code', 'range(1,7)', 'range(1,20)']` - -**Child parameters:** 6,726 - -**Dimension analysis:** -- `state_code` → Enum lookup (state names) -- `range(1,7)` → **Raw numeric index (NO semantic label)** -- `range(1,20)` → **Raw numeric index (NO semantic label)** - -**Example - Current label generation:** -- Parameter: `gov.irs.deductions.itemized.salt_and_real_estate.state_sales_tax_table.tax.AL.1.1` -- Generated label: "Optional state sales tax table (AL, 1, 1)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ['State', '[NEEDS: label for range(1,7)]', '[NEEDS: label for range(1,20)]']` - ---- - -### 4. `gov.aca.state_rating_area_cost` - -**Label:** Second Lowest Cost Silver Plan premiums by rating area - -**Breakdown dimensions:** `['state_code', 'range(1, 68)']` - -**Child parameters:** 3,953 - -**Dimension analysis:** -- `state_code` → Enum lookup (state names) -- `range(1, 68)` → **Raw numeric index (NO semantic label)** - -**Example - Current label generation:** -- Parameter: `gov.aca.state_rating_area_cost.AK.1` -- Generated label: "Second Lowest Cost Silver Plan premiums by rating area (AK, 1)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ['State', '[NEEDS: label for range(1, 68)]']` - ---- - -### 5. `gov.states.or.tax.income.credits.wfhdc.match` - -**Label:** Oregon working family household and dependent care credit credit rate - -**Breakdown dimensions:** `['list(range(0,30))', 'or_wfhdc_eligibility_category']` - -**Child parameters:** 186 - -**Dimension analysis:** -- `list(range(0,30))` → **Raw numeric index (NO semantic label)** -- `or_wfhdc_eligibility_category` → Variable/enum lookup (may or may not have labels) - -**Example - Current label generation:** -- Parameter: `gov.states.or.tax.income.credits.wfhdc.match.0.YOUNGEST` -- Generated label: "Oregon working family household and dependent care credit credit rate (0, YOUNGEST)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ['[NEEDS: label for list(range(0,30))]', '[CHECK: or_wfhdc_eligibility_category]']` - ---- - -### 6. `gov.states.il.dhs.aabd.payment.utility.water` - -**Label:** Illinois AABD water allowance by area - -**Breakdown dimensions:** `['il_aabd_area', 'range(1,20)']` - -**Child parameters:** 152 - -**Dimension analysis:** -- `il_aabd_area` → Variable/enum lookup (may or may not have labels) -- `range(1,20)` → **Raw numeric index (NO semantic label)** - -**Example - Current label generation:** -- Parameter: `gov.states.il.dhs.aabd.payment.utility.water.AREA_1.1` -- Generated label: "Illinois AABD water allowance by area (AREA_1, 1)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ['[CHECK: il_aabd_area]', '[NEEDS: label for range(1,20)]']` - ---- - -### 7. `gov.states.il.dhs.aabd.payment.utility.metered_gas` - -**Label:** Illinois AABD metered gas allowance by area - -**Breakdown dimensions:** `['il_aabd_area', 'range(1,20)']` - -**Child parameters:** 152 - -**Dimension analysis:** -- `il_aabd_area` → Variable/enum lookup (may or may not have labels) -- `range(1,20)` → **Raw numeric index (NO semantic label)** - -**Example - Current label generation:** -- Parameter: `gov.states.il.dhs.aabd.payment.utility.metered_gas.AREA_1.1` -- Generated label: "Illinois AABD metered gas allowance by area (AREA_1, 1)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ['[CHECK: il_aabd_area]', '[NEEDS: label for range(1,20)]']` - ---- - -### 8. `gov.states.il.dhs.aabd.payment.utility.electricity` - -**Label:** Illinois AABD electricity allowance by area - -**Breakdown dimensions:** `['il_aabd_area', 'range(1,20)']` - -**Child parameters:** 152 - -**Dimension analysis:** -- `il_aabd_area` → Variable/enum lookup (may or may not have labels) -- `range(1,20)` → **Raw numeric index (NO semantic label)** - -**Example - Current label generation:** -- Parameter: `gov.states.il.dhs.aabd.payment.utility.electricity.AREA_1.1` -- Generated label: "Illinois AABD electricity allowance by area (AREA_1, 1)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ['[CHECK: il_aabd_area]', '[NEEDS: label for range(1,20)]']` - ---- - -### 9. `gov.states.il.dhs.aabd.payment.utility.coal` - -**Label:** Illinois AABD coal allowance by area - -**Breakdown dimensions:** `['il_aabd_area', 'range(1,20)']` - -**Child parameters:** 152 - -**Dimension analysis:** -- `il_aabd_area` → Variable/enum lookup (may or may not have labels) -- `range(1,20)` → **Raw numeric index (NO semantic label)** - -**Example - Current label generation:** -- Parameter: `gov.states.il.dhs.aabd.payment.utility.coal.AREA_1.1` -- Generated label: "Illinois AABD coal allowance by area (AREA_1, 1)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ['[CHECK: il_aabd_area]', '[NEEDS: label for range(1,20)]']` - ---- - -### 10. `gov.states.il.dhs.aabd.payment.utility.cooking_fuel` - -**Label:** Illinois AABD cooking fuel allowance by area - -**Breakdown dimensions:** `['il_aabd_area', 'range(1,20)']` - -**Child parameters:** 152 - -**Dimension analysis:** -- `il_aabd_area` → Variable/enum lookup (may or may not have labels) -- `range(1,20)` → **Raw numeric index (NO semantic label)** - -**Example - Current label generation:** -- Parameter: `gov.states.il.dhs.aabd.payment.utility.cooking_fuel.AREA_1.1` -- Generated label: "Illinois AABD cooking fuel allowance by area (AREA_1, 1)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ['[CHECK: il_aabd_area]', '[NEEDS: label for range(1,20)]']` - ---- - -### 11. `gov.states.il.dhs.aabd.payment.utility.bottled_gas` - -**Label:** Illinois AABD bottled gas allowance by area - -**Breakdown dimensions:** `['il_aabd_area', 'range(1,20)']` - -**Child parameters:** 152 - -**Dimension analysis:** -- `il_aabd_area` → Variable/enum lookup (may or may not have labels) -- `range(1,20)` → **Raw numeric index (NO semantic label)** - -**Example - Current label generation:** -- Parameter: `gov.states.il.dhs.aabd.payment.utility.bottled_gas.AREA_1.1` -- Generated label: "Illinois AABD bottled gas allowance by area (AREA_1, 1)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ['[CHECK: il_aabd_area]', '[NEEDS: label for range(1,20)]']` - ---- - -### 12. `gov.states.il.dhs.aabd.payment.utility.fuel_oil` - -**Label:** Illinois AABD fuel oil allowance by area - -**Breakdown dimensions:** `['il_aabd_area', 'range(1,20)']` - -**Child parameters:** 152 - -**Dimension analysis:** -- `il_aabd_area` → Variable/enum lookup (may or may not have labels) -- `range(1,20)` → **Raw numeric index (NO semantic label)** - -**Example - Current label generation:** -- Parameter: `gov.states.il.dhs.aabd.payment.utility.fuel_oil.AREA_1.1` -- Generated label: "Illinois AABD fuel oil allowance by area (AREA_1, 1)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ['[CHECK: il_aabd_area]', '[NEEDS: label for range(1,20)]']` - ---- - -### 13. `gov.states.dc.dhs.ccsp.reimbursement_rates` - -**Label:** DC CCSP reimbursement rates - -**Breakdown dimensions:** `['dc_ccsp_childcare_provider_category', 'dc_ccsp_child_category', 'dc_ccsp_schedule_type']` - -**Child parameters:** 126 - -**Dimension analysis:** -- `dc_ccsp_childcare_provider_category` → Variable/enum lookup (may or may not have labels) -- `dc_ccsp_child_category` → Variable/enum lookup (may or may not have labels) -- `dc_ccsp_schedule_type` → Variable/enum lookup (may or may not have labels) - -**Example - Current label generation:** -- Parameter: `gov.states.dc.dhs.ccsp.reimbursement_rates.CHILD_CENTER.INFANT_AND_TODDLER.FULL_TIME_TRADITIONAL` -- Generated label: "DC CCSP reimbursement rates (CHILD_CENTER, INFANT_AND_TODDLER, FULL_TIME_TRADITIONAL)" - -**Suggested improvement:** -- ℹ️ Uses custom enum variables - verify they have display labels -- Consider adding `breakdown_labels` for clarity - ---- - -### 14. `gov.states.vt.tax.income.credits.renter.income_limit_ami.fifty_percent` - -**Label:** Vermont partial renter credit income limit - -**Breakdown dimensions:** `['list(range(1,8))']` - -**Child parameters:** 112 - -**Dimension analysis:** -- `list(range(1,8))` → **Raw numeric index (NO semantic label)** - -**Example - Current label generation:** -- Parameter: `gov.states.vt.tax.income.credits.renter.income_limit_ami.fifty_percent.1.ADDISON_COUNTY_VT` -- Generated label: "Vermont partial renter credit income limit (1, ADDISON_COUNTY_VT)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ['[NEEDS: label for list(range(1,8))]']` - ---- - -### 15. `gov.states.vt.tax.income.credits.renter.income_limit_ami.thirty_percent` - -**Label:** Vermont full renter credit income limit - -**Breakdown dimensions:** `['list(range(1,8))']` - -**Child parameters:** 112 - -**Dimension analysis:** -- `list(range(1,8))` → **Raw numeric index (NO semantic label)** - -**Example - Current label generation:** -- Parameter: `gov.states.vt.tax.income.credits.renter.income_limit_ami.thirty_percent.1.ADDISON_COUNTY_VT` -- Generated label: "Vermont full renter credit income limit (1, ADDISON_COUNTY_VT)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ['[NEEDS: label for list(range(1,8))]']` - ---- - -### 16. `gov.states.vt.tax.income.credits.renter.fair_market_rent` - -**Label:** Vermont fair market rent amount - -**Breakdown dimensions:** `['list(range(1,9))']` - -**Child parameters:** 112 - -**Dimension analysis:** -- `list(range(1,9))` → **Raw numeric index (NO semantic label)** - -**Example - Current label generation:** -- Parameter: `gov.states.vt.tax.income.credits.renter.fair_market_rent.1.ADDISON_COUNTY_VT` -- Generated label: "Vermont fair market rent amount (1, ADDISON_COUNTY_VT)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ['[NEEDS: label for list(range(1,9))]']` - ---- - -### 17. `gov.states.dc.doee.liheap.payment.gas` - -**Label:** DC LIHEAP Gas payment - -**Breakdown dimensions:** `['dc_liheap_housing_type', 'range(1,11)', 'range(1,5)']` - -**Child parameters:** 80 - -**Dimension analysis:** -- `dc_liheap_housing_type` → Variable/enum lookup (may or may not have labels) -- `range(1,11)` → **Raw numeric index (NO semantic label)** -- `range(1,5)` → **Raw numeric index (NO semantic label)** - -**Example - Current label generation:** -- Parameter: `gov.states.dc.doee.liheap.payment.gas.MULTI_FAMILY.1.1` -- Generated label: "DC LIHEAP Gas payment (MULTI_FAMILY, 1, 1)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ['[CHECK: dc_liheap_housing_type]', '[NEEDS: label for range(1,11)]', '[NEEDS: label for range(1,5)]']` - ---- - -### 18. `gov.states.dc.doee.liheap.payment.electricity` - -**Label:** DC LIHEAP Electricity payment - -**Breakdown dimensions:** `['dc_liheap_housing_type', 'range(1,11)', 'range(1,5)']` - -**Child parameters:** 80 - -**Dimension analysis:** -- `dc_liheap_housing_type` → Variable/enum lookup (may or may not have labels) -- `range(1,11)` → **Raw numeric index (NO semantic label)** -- `range(1,5)` → **Raw numeric index (NO semantic label)** - -**Example - Current label generation:** -- Parameter: `gov.states.dc.doee.liheap.payment.electricity.MULTI_FAMILY.1.1` -- Generated label: "DC LIHEAP Electricity payment (MULTI_FAMILY, 1, 1)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ['[CHECK: dc_liheap_housing_type]', '[NEEDS: label for range(1,11)]', '[NEEDS: label for range(1,5)]']` - ---- - -### 19. `gov.usda.snap.max_allotment.main` - -**Label:** SNAP max allotment - -**Breakdown dimensions:** `['snap_region', 'range(1, 9)']` - -**Child parameters:** 63 - -**Dimension analysis:** -- `snap_region` → Enum lookup -- `range(1, 9)` → **Raw numeric index (NO semantic label)** - -**Example - Current label generation:** -- Parameter: `gov.usda.snap.max_allotment.main.CONTIGUOUS_US.0` -- Generated label: "SNAP max allotment (CONTIGUOUS_US, 0)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ['[CHECK: snap_region]', '[NEEDS: label for range(1, 9)]']` - ---- - -### 20. `calibration.gov.aca.enrollment.state` - -**Label:** ACA enrollment by state - -**Breakdown dimensions:** `['state_code']` - -**Child parameters:** 59 - -**Dimension analysis:** -- `state_code` → Enum lookup (state names) - -**Example - Current label generation:** -- Parameter: `calibration.gov.aca.enrollment.state.AK` -- Generated label: "ACA enrollment by state (AK)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 21. `calibration.gov.aca.spending.state` - -**Label:** Federal ACA spending by state - -**Breakdown dimensions:** `['state_code']` - -**Child parameters:** 59 - -**Dimension analysis:** -- `state_code` → Enum lookup (state names) - -**Example - Current label generation:** -- Parameter: `calibration.gov.aca.spending.state.AL` -- Generated label: "Federal ACA spending by state (AL)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 22. `calibration.gov.hhs.medicaid.enrollment.non_expansion_adults` - -**Label:** Non-expansion adults enrolled in Medicaid - -**Breakdown dimensions:** `['state_code']` - -**Child parameters:** 59 - -**Dimension analysis:** -- `state_code` → Enum lookup (state names) - -**Example - Current label generation:** -- Parameter: `calibration.gov.hhs.medicaid.enrollment.non_expansion_adults.AL` -- Generated label: "Non-expansion adults enrolled in Medicaid (AL)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 23. `calibration.gov.hhs.medicaid.enrollment.aged` - -**Label:** Aged persons enrolled in Medicaid - -**Breakdown dimensions:** `['state_code']` - -**Child parameters:** 59 - -**Dimension analysis:** -- `state_code` → Enum lookup (state names) - -**Example - Current label generation:** -- Parameter: `calibration.gov.hhs.medicaid.enrollment.aged.AL` -- Generated label: "Aged persons enrolled in Medicaid (AL)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 24. `calibration.gov.hhs.medicaid.enrollment.expansion_adults` - -**Label:** Expansion adults enrolled in Medicaid - -**Breakdown dimensions:** `['state_code']` - -**Child parameters:** 59 - -**Dimension analysis:** -- `state_code` → Enum lookup (state names) - -**Example - Current label generation:** -- Parameter: `calibration.gov.hhs.medicaid.enrollment.expansion_adults.AL` -- Generated label: "Expansion adults enrolled in Medicaid (AL)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 25. `calibration.gov.hhs.medicaid.enrollment.disabled` - -**Label:** Disabled persons enrolled in Medicaid - -**Breakdown dimensions:** `['state_code']` - -**Child parameters:** 59 - -**Dimension analysis:** -- `state_code` → Enum lookup (state names) - -**Example - Current label generation:** -- Parameter: `calibration.gov.hhs.medicaid.enrollment.disabled.AL` -- Generated label: "Disabled persons enrolled in Medicaid (AL)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 26. `calibration.gov.hhs.medicaid.enrollment.child` - -**Label:** Children enrolled in Medicaid - -**Breakdown dimensions:** `['state_code']` - -**Child parameters:** 59 - -**Dimension analysis:** -- `state_code` → Enum lookup (state names) - -**Example - Current label generation:** -- Parameter: `calibration.gov.hhs.medicaid.enrollment.child.AL` -- Generated label: "Children enrolled in Medicaid (AL)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 27. `calibration.gov.hhs.medicaid.spending.by_eligibility_group.non_expansion_adults` - -**Label:** Medicaid spending for non-expansion adult enrollees - -**Breakdown dimensions:** `['state_code']` - -**Child parameters:** 59 - -**Dimension analysis:** -- `state_code` → Enum lookup (state names) - -**Example - Current label generation:** -- Parameter: `calibration.gov.hhs.medicaid.spending.by_eligibility_group.non_expansion_adults.AK` -- Generated label: "Medicaid spending for non-expansion adult enrollees (AK)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 28. `calibration.gov.hhs.medicaid.spending.by_eligibility_group.aged` - -**Label:** Medicaid spending for aged enrollees - -**Breakdown dimensions:** `['state_code']` - -**Child parameters:** 59 - -**Dimension analysis:** -- `state_code` → Enum lookup (state names) - -**Example - Current label generation:** -- Parameter: `calibration.gov.hhs.medicaid.spending.by_eligibility_group.aged.AL` -- Generated label: "Medicaid spending for aged enrollees (AL)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 29. `calibration.gov.hhs.medicaid.spending.by_eligibility_group.expansion_adults` - -**Label:** Medicaid spending for expansion adult enrollees - -**Breakdown dimensions:** `['state_code']` - -**Child parameters:** 59 - -**Dimension analysis:** -- `state_code` → Enum lookup (state names) - -**Example - Current label generation:** -- Parameter: `calibration.gov.hhs.medicaid.spending.by_eligibility_group.expansion_adults.AL` -- Generated label: "Medicaid spending for expansion adult enrollees (AL)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 30. `calibration.gov.hhs.medicaid.spending.by_eligibility_group.disabled` - -**Label:** Medicaid spending for disabled enrollees - -**Breakdown dimensions:** `['state_code']` - -**Child parameters:** 59 - -**Dimension analysis:** -- `state_code` → Enum lookup (state names) - -**Example - Current label generation:** -- Parameter: `calibration.gov.hhs.medicaid.spending.by_eligibility_group.disabled.AL` -- Generated label: "Medicaid spending for disabled enrollees (AL)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 31. `calibration.gov.hhs.medicaid.spending.by_eligibility_group.child` - -**Label:** Medicaid spending for child enrollees - -**Breakdown dimensions:** `['state_code']` - -**Child parameters:** 59 - -**Dimension analysis:** -- `state_code` → Enum lookup (state names) - -**Example - Current label generation:** -- Parameter: `calibration.gov.hhs.medicaid.spending.by_eligibility_group.child.AK` -- Generated label: "Medicaid spending for child enrollees (AK)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 32. `calibration.gov.hhs.medicaid.spending.totals.state` - -**Label:** State Medicaid spending - -**Breakdown dimensions:** `['state_code']` - -**Child parameters:** 59 - -**Dimension analysis:** -- `state_code` → Enum lookup (state names) - -**Example - Current label generation:** -- Parameter: `calibration.gov.hhs.medicaid.spending.totals.state.AK` -- Generated label: "State Medicaid spending (AK)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 33. `calibration.gov.hhs.medicaid.spending.totals.federal` - -**Label:** Federal Medicaid spending by state - -**Breakdown dimensions:** `['state_code']` - -**Child parameters:** 59 - -**Dimension analysis:** -- `state_code` → Enum lookup (state names) - -**Example - Current label generation:** -- Parameter: `calibration.gov.hhs.medicaid.spending.totals.federal.AK` -- Generated label: "Federal Medicaid spending by state (AK)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 34. `calibration.gov.hhs.cms.chip.enrollment.total` - -**Label:** Enrollment in all CHIP programs by state - -**Breakdown dimensions:** `['state_code']` - -**Child parameters:** 59 - -**Dimension analysis:** -- `state_code` → Enum lookup (state names) - -**Example - Current label generation:** -- Parameter: `calibration.gov.hhs.cms.chip.enrollment.total.AL` -- Generated label: "Enrollment in all CHIP programs by state (AL)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 35. `calibration.gov.hhs.cms.chip.enrollment.medicaid_expansion_chip` - -**Label:** Enrollment in Medicaid Expansion CHIP programs by state - -**Breakdown dimensions:** `['state_code']` - -**Child parameters:** 59 - -**Dimension analysis:** -- `state_code` → Enum lookup (state names) - -**Example - Current label generation:** -- Parameter: `calibration.gov.hhs.cms.chip.enrollment.medicaid_expansion_chip.AL` -- Generated label: "Enrollment in Medicaid Expansion CHIP programs by state (AL)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 36. `calibration.gov.hhs.cms.chip.enrollment.separate_chip` - -**Label:** Enrollment in Separate CHIP programs by state - -**Breakdown dimensions:** `['state_code']` - -**Child parameters:** 59 - -**Dimension analysis:** -- `state_code` → Enum lookup (state names) - -**Example - Current label generation:** -- Parameter: `calibration.gov.hhs.cms.chip.enrollment.separate_chip.AL` -- Generated label: "Enrollment in Separate CHIP programs by state (AL)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 37. `calibration.gov.hhs.cms.chip.spending.separate_chip.state` - -**Label:** State share of CHIP spending for separate CHIP programs and coverage of pregnant women - -**Breakdown dimensions:** `['state_code']` - -**Child parameters:** 59 - -**Dimension analysis:** -- `state_code` → Enum lookup (state names) - -**Example - Current label generation:** -- Parameter: `calibration.gov.hhs.cms.chip.spending.separate_chip.state.AL` -- Generated label: "State share of CHIP spending for separate CHIP programs and coverage of pregnant women (AL)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 38. `calibration.gov.hhs.cms.chip.spending.separate_chip.total` - -**Label:** CHIP spending for separate CHIP programs and coverage of pregnant women - -**Breakdown dimensions:** `['state_code']` - -**Child parameters:** 59 - -**Dimension analysis:** -- `state_code` → Enum lookup (state names) - -**Example - Current label generation:** -- Parameter: `calibration.gov.hhs.cms.chip.spending.separate_chip.total.AL` -- Generated label: "CHIP spending for separate CHIP programs and coverage of pregnant women (AL)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 39. `calibration.gov.hhs.cms.chip.spending.separate_chip.federal` - -**Label:** Federal share of CHIP spending for separate CHIP programs and coverage of pregnant women - -**Breakdown dimensions:** `['state_code']` - -**Child parameters:** 59 - -**Dimension analysis:** -- `state_code` → Enum lookup (state names) - -**Example - Current label generation:** -- Parameter: `calibration.gov.hhs.cms.chip.spending.separate_chip.federal.AL` -- Generated label: "Federal share of CHIP spending for separate CHIP programs and coverage of pregnant women (AL)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 40. `calibration.gov.hhs.cms.chip.spending.medicaid_expansion_chip.state` - -**Label:** State share of CHIP spending for Medicaid-expansion populations - -**Breakdown dimensions:** `['state_code']` - -**Child parameters:** 59 - -**Dimension analysis:** -- `state_code` → Enum lookup (state names) - -**Example - Current label generation:** -- Parameter: `calibration.gov.hhs.cms.chip.spending.medicaid_expansion_chip.state.AL` -- Generated label: "State share of CHIP spending for Medicaid-expansion populations (AL)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 41. `calibration.gov.hhs.cms.chip.spending.medicaid_expansion_chip.total` - -**Label:** CHIP spending for Medicaid-expansion populations - -**Breakdown dimensions:** `['state_code']` - -**Child parameters:** 59 - -**Dimension analysis:** -- `state_code` → Enum lookup (state names) - -**Example - Current label generation:** -- Parameter: `calibration.gov.hhs.cms.chip.spending.medicaid_expansion_chip.total.AL` -- Generated label: "CHIP spending for Medicaid-expansion populations (AL)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 42. `calibration.gov.hhs.cms.chip.spending.medicaid_expansion_chip.federal` - -**Label:** Federal share of CHIP spending for Medicaid-expansion populations - -**Breakdown dimensions:** `['state_code']` - -**Child parameters:** 59 - -**Dimension analysis:** -- `state_code` → Enum lookup (state names) - -**Example - Current label generation:** -- Parameter: `calibration.gov.hhs.cms.chip.spending.medicaid_expansion_chip.federal.AL` -- Generated label: "Federal share of CHIP spending for Medicaid-expansion populations (AL)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 43. `calibration.gov.hhs.cms.chip.spending.total.state` - -**Label:** State share of total CHIP spending - -**Breakdown dimensions:** `['state_code']` - -**Child parameters:** 59 - -**Dimension analysis:** -- `state_code` → Enum lookup (state names) - -**Example - Current label generation:** -- Parameter: `calibration.gov.hhs.cms.chip.spending.total.state.AL` -- Generated label: "State share of total CHIP spending (AL)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 44. `calibration.gov.hhs.cms.chip.spending.total.total` - -**Label:** Total CHIP spending - -**Breakdown dimensions:** `['state_code']` - -**Child parameters:** 59 - -**Dimension analysis:** -- `state_code` → Enum lookup (state names) - -**Example - Current label generation:** -- Parameter: `calibration.gov.hhs.cms.chip.spending.total.total.AL` -- Generated label: "Total CHIP spending (AL)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 45. `calibration.gov.hhs.cms.chip.spending.total.federal` - -**Label:** Federal share of total CHIP spending - -**Breakdown dimensions:** `['state_code']` - -**Child parameters:** 59 - -**Dimension analysis:** -- `state_code` → Enum lookup (state names) - -**Example - Current label generation:** -- Parameter: `calibration.gov.hhs.cms.chip.spending.total.federal.AL` -- Generated label: "Federal share of total CHIP spending (AL)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 46. `calibration.gov.hhs.cms.chip.spending.program_admin.state` - -**Label:** State share of state program administration costs for CHIP - -**Breakdown dimensions:** `['state_code']` - -**Child parameters:** 59 - -**Dimension analysis:** -- `state_code` → Enum lookup (state names) - -**Example - Current label generation:** -- Parameter: `calibration.gov.hhs.cms.chip.spending.program_admin.state.AL` -- Generated label: "State share of state program administration costs for CHIP (AL)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 47. `calibration.gov.hhs.cms.chip.spending.program_admin.total` - -**Label:** Total state program administration costs for CHIP - -**Breakdown dimensions:** `['state_code']` - -**Child parameters:** 59 - -**Dimension analysis:** -- `state_code` → Enum lookup (state names) - -**Example - Current label generation:** -- Parameter: `calibration.gov.hhs.cms.chip.spending.program_admin.total.AL` -- Generated label: "Total state program administration costs for CHIP (AL)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 48. `calibration.gov.hhs.cms.chip.spending.program_admin.federal` - -**Label:** Federal share of state program administration costs for CHIP - -**Breakdown dimensions:** `['state_code']` - -**Child parameters:** 59 - -**Dimension analysis:** -- `state_code` → Enum lookup (state names) - -**Example - Current label generation:** -- Parameter: `calibration.gov.hhs.cms.chip.spending.program_admin.federal.AL` -- Generated label: "Federal share of state program administration costs for CHIP (AL)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 49. `gov.aca.enrollment.state` - -**Label:** ACA enrollment by state - -**Breakdown dimensions:** `['state_code']` - -**Child parameters:** 59 - -**Dimension analysis:** -- `state_code` → Enum lookup (state names) - -**Example - Current label generation:** -- Parameter: `gov.aca.enrollment.state.AK` -- Generated label: "ACA enrollment by state (AK)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 50. `gov.aca.family_tier_states` - -**Label:** Family tier rating states - -**Breakdown dimensions:** `['state_code']` - -**Child parameters:** 59 - -**Dimension analysis:** -- `state_code` → Enum lookup (state names) - -**Example - Current label generation:** -- Parameter: `gov.aca.family_tier_states.AL` -- Generated label: "Family tier rating states (AL)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 51. `gov.aca.spending.state` - -**Label:** Federal ACA spending by state - -**Breakdown dimensions:** `['state_code']` - -**Child parameters:** 59 - -**Dimension analysis:** -- `state_code` → Enum lookup (state names) - -**Example - Current label generation:** -- Parameter: `gov.aca.spending.state.AL` -- Generated label: "Federal ACA spending by state (AL)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 52. `gov.usda.snap.income.deductions.self_employment.rate` - -**Label:** SNAP self-employment simplified deduction rate - -**Breakdown dimensions:** `['state_code']` - -**Child parameters:** 59 - -**Dimension analysis:** -- `state_code` → Enum lookup (state names) - -**Example - Current label generation:** -- Parameter: `gov.usda.snap.income.deductions.self_employment.rate.AK` -- Generated label: "SNAP self-employment simplified deduction rate (AK)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 53. `gov.usda.snap.income.deductions.self_employment.expense_based_deduction_applies` - -**Label:** SNAP self-employment expense-based deduction applies - -**Breakdown dimensions:** `['state_code']` - -**Child parameters:** 59 - -**Dimension analysis:** -- `state_code` → Enum lookup (state names) - -**Example - Current label generation:** -- Parameter: `gov.usda.snap.income.deductions.self_employment.expense_based_deduction_applies.AK` -- Generated label: "SNAP self-employment expense-based deduction applies (AK)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 54. `gov.usda.snap.income.deductions.excess_shelter_expense.homeless.available` - -**Label:** SNAP homeless shelter deduction available - -**Breakdown dimensions:** `['state_code']` - -**Child parameters:** 59 - -**Dimension analysis:** -- `state_code` → Enum lookup (state names) - -**Example - Current label generation:** -- Parameter: `gov.usda.snap.income.deductions.excess_shelter_expense.homeless.available.AK` -- Generated label: "SNAP homeless shelter deduction available (AK)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 55. `gov.usda.snap.income.deductions.child_support` - -**Label:** SNAP child support gross income deduction - -**Breakdown dimensions:** `['state_code']` - -**Child parameters:** 59 - -**Dimension analysis:** -- `state_code` → Enum lookup (state names) - -**Example - Current label generation:** -- Parameter: `gov.usda.snap.income.deductions.child_support.AK` -- Generated label: "SNAP child support gross income deduction (AK)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 56. `gov.usda.snap.income.deductions.utility.single.water` - -**Label:** SNAP standard utility allowance for water expenses - -**Breakdown dimensions:** `['snap_utility_region']` - -**Child parameters:** 59 - -**Dimension analysis:** -- `snap_utility_region` → Variable/enum lookup (may or may not have labels) - -**Example - Current label generation:** -- Parameter: `gov.usda.snap.income.deductions.utility.single.water.AK` -- Generated label: "SNAP standard utility allowance for water expenses (AK)" - -**Suggested improvement:** -- ℹ️ Uses custom enum variables - verify they have display labels -- Consider adding `breakdown_labels` for clarity - ---- - -### 57. `gov.usda.snap.income.deductions.utility.single.electricity` - -**Label:** SNAP standard utility allowance for electricity expenses - -**Breakdown dimensions:** `['snap_utility_region']` - -**Child parameters:** 59 - -**Dimension analysis:** -- `snap_utility_region` → Variable/enum lookup (may or may not have labels) - -**Example - Current label generation:** -- Parameter: `gov.usda.snap.income.deductions.utility.single.electricity.AK` -- Generated label: "SNAP standard utility allowance for electricity expenses (AK)" - -**Suggested improvement:** -- ℹ️ Uses custom enum variables - verify they have display labels -- Consider adding `breakdown_labels` for clarity - ---- - -### 58. `gov.usda.snap.income.deductions.utility.single.trash` - -**Label:** SNAP standard utility allowance for trash expenses - -**Breakdown dimensions:** `['snap_utility_region']` - -**Child parameters:** 59 - -**Dimension analysis:** -- `snap_utility_region` → Variable/enum lookup (may or may not have labels) - -**Example - Current label generation:** -- Parameter: `gov.usda.snap.income.deductions.utility.single.trash.AK` -- Generated label: "SNAP standard utility allowance for trash expenses (AK)" - -**Suggested improvement:** -- ℹ️ Uses custom enum variables - verify they have display labels -- Consider adding `breakdown_labels` for clarity - ---- - -### 59. `gov.usda.snap.income.deductions.utility.single.sewage` - -**Label:** SNAP standard utility allowance for sewage expenses - -**Breakdown dimensions:** `['snap_utility_region']` - -**Child parameters:** 59 - -**Dimension analysis:** -- `snap_utility_region` → Variable/enum lookup (may or may not have labels) - -**Example - Current label generation:** -- Parameter: `gov.usda.snap.income.deductions.utility.single.sewage.AK` -- Generated label: "SNAP standard utility allowance for sewage expenses (AK)" - -**Suggested improvement:** -- ℹ️ Uses custom enum variables - verify they have display labels -- Consider adding `breakdown_labels` for clarity - ---- - -### 60. `gov.usda.snap.income.deductions.utility.single.gas_and_fuel` - -**Label:** SNAP standard utility allowance for gas and fuel expenses - -**Breakdown dimensions:** `['snap_utility_region']` - -**Child parameters:** 59 - -**Dimension analysis:** -- `snap_utility_region` → Variable/enum lookup (may or may not have labels) - -**Example - Current label generation:** -- Parameter: `gov.usda.snap.income.deductions.utility.single.gas_and_fuel.AK` -- Generated label: "SNAP standard utility allowance for gas and fuel expenses (AK)" - -**Suggested improvement:** -- ℹ️ Uses custom enum variables - verify they have display labels -- Consider adding `breakdown_labels` for clarity - ---- - -### 61. `gov.usda.snap.income.deductions.utility.single.phone` - -**Label:** SNAP standard utility allowance for phone expenses - -**Breakdown dimensions:** `['snap_utility_region']` - -**Child parameters:** 59 - -**Dimension analysis:** -- `snap_utility_region` → Variable/enum lookup (may or may not have labels) - -**Example - Current label generation:** -- Parameter: `gov.usda.snap.income.deductions.utility.single.phone.AK` -- Generated label: "SNAP standard utility allowance for phone expenses (AK)" - -**Suggested improvement:** -- ℹ️ Uses custom enum variables - verify they have display labels -- Consider adding `breakdown_labels` for clarity - ---- - -### 62. `gov.usda.snap.income.deductions.utility.always_standard` - -**Label:** SNAP States using SUA - -**Breakdown dimensions:** `['state_code']` - -**Child parameters:** 59 - -**Dimension analysis:** -- `state_code` → Enum lookup (state names) - -**Example - Current label generation:** -- Parameter: `gov.usda.snap.income.deductions.utility.always_standard.AK` -- Generated label: "SNAP States using SUA (AK)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 63. `gov.usda.snap.income.deductions.utility.standard.main` - -**Label:** SNAP standard utility allowance - -**Breakdown dimensions:** `['state_code']` - -**Child parameters:** 59 - -**Dimension analysis:** -- `state_code` → Enum lookup (state names) - -**Example - Current label generation:** -- Parameter: `gov.usda.snap.income.deductions.utility.standard.main.AK` -- Generated label: "SNAP standard utility allowance (AK)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 64. `gov.usda.snap.income.deductions.utility.limited.active` - -**Label:** SNAP Limited Utility Allowance active - -**Breakdown dimensions:** `['snap_utility_region']` - -**Child parameters:** 59 - -**Dimension analysis:** -- `snap_utility_region` → Variable/enum lookup (may or may not have labels) - -**Example - Current label generation:** -- Parameter: `gov.usda.snap.income.deductions.utility.limited.active.AK` -- Generated label: "SNAP Limited Utility Allowance active (AK)" - -**Suggested improvement:** -- ℹ️ Uses custom enum variables - verify they have display labels -- Consider adding `breakdown_labels` for clarity - ---- - -### 65. `gov.usda.snap.income.deductions.utility.limited.main` - -**Label:** SNAP limited utility allowance - -**Breakdown dimensions:** `['snap_utility_region']` - -**Child parameters:** 59 - -**Dimension analysis:** -- `snap_utility_region` → Variable/enum lookup (may or may not have labels) - -**Example - Current label generation:** -- Parameter: `gov.usda.snap.income.deductions.utility.limited.main.AK` -- Generated label: "SNAP limited utility allowance (AK)" - -**Suggested improvement:** -- ℹ️ Uses custom enum variables - verify they have display labels -- Consider adding `breakdown_labels` for clarity - ---- - -### 66. `gov.usda.snap.emergency_allotment.in_effect` - -**Label:** SNAP emergency allotment in effect - -**Breakdown dimensions:** `['state_code']` - -**Child parameters:** 59 - -**Dimension analysis:** -- `state_code` → Enum lookup (state names) - -**Example - Current label generation:** -- Parameter: `gov.usda.snap.emergency_allotment.in_effect.AK` -- Generated label: "SNAP emergency allotment in effect (AK)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 67. `gov.hhs.head_start.spending` - -**Label:** Head Start state-level spending amount - -**Breakdown dimensions:** `['state_code']` - -**Child parameters:** 59 - -**Dimension analysis:** -- `state_code` → Enum lookup (state names) - -**Example - Current label generation:** -- Parameter: `gov.hhs.head_start.spending.AK` -- Generated label: "Head Start state-level spending amount (AK)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 68. `gov.hhs.head_start.enrollment` - -**Label:** Head Start state-level enrollment - -**Breakdown dimensions:** `['state_code']` - -**Child parameters:** 59 - -**Dimension analysis:** -- `state_code` → Enum lookup (state names) - -**Example - Current label generation:** -- Parameter: `gov.hhs.head_start.enrollment.AK` -- Generated label: "Head Start state-level enrollment (AK)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 69. `gov.hhs.head_start.early_head_start.spending` - -**Label:** Early Head Start state-level funding amount - -**Breakdown dimensions:** `['state_code']` - -**Child parameters:** 59 - -**Dimension analysis:** -- `state_code` → Enum lookup (state names) - -**Example - Current label generation:** -- Parameter: `gov.hhs.head_start.early_head_start.spending.AK` -- Generated label: "Early Head Start state-level funding amount (AK)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 70. `gov.hhs.head_start.early_head_start.enrollment` - -**Label:** Early Head Start state-level enrollment - -**Breakdown dimensions:** `['state_code']` - -**Child parameters:** 59 - -**Dimension analysis:** -- `state_code` → Enum lookup (state names) - -**Example - Current label generation:** -- Parameter: `gov.hhs.head_start.early_head_start.enrollment.AK` -- Generated label: "Early Head Start state-level enrollment (AK)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 71. `gov.hhs.medicaid.eligibility.undocumented_immigrant` - -**Label:** Medicaid undocumented immigrant eligibility - -**Breakdown dimensions:** `['state_code']` - -**Child parameters:** 59 - -**Dimension analysis:** -- `state_code` → Enum lookup (state names) - -**Example - Current label generation:** -- Parameter: `gov.hhs.medicaid.eligibility.undocumented_immigrant.AL` -- Generated label: "Medicaid undocumented immigrant eligibility (AL)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 72. `gov.hhs.medicaid.eligibility.categories.young_child.income_limit` - -**Label:** Medicaid young child income limit - -**Breakdown dimensions:** `['state_code']` - -**Child parameters:** 59 - -**Dimension analysis:** -- `state_code` → Enum lookup (state names) - -**Example - Current label generation:** -- Parameter: `gov.hhs.medicaid.eligibility.categories.young_child.income_limit.AK` -- Generated label: "Medicaid young child income limit (AK)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 73. `gov.hhs.medicaid.eligibility.categories.senior_or_disabled.income.limit.couple` - -**Label:** Medicaid senior or disabled income limit (couple) - -**Breakdown dimensions:** `['state_code']` - -**Child parameters:** 59 - -**Dimension analysis:** -- `state_code` → Enum lookup (state names) - -**Example - Current label generation:** -- Parameter: `gov.hhs.medicaid.eligibility.categories.senior_or_disabled.income.limit.couple.AK` -- Generated label: "Medicaid senior or disabled income limit (couple) (AK)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 74. `gov.hhs.medicaid.eligibility.categories.senior_or_disabled.income.limit.individual` - -**Label:** Medicaid senior or disabled income limit (individual) - -**Breakdown dimensions:** `['state_code']` - -**Child parameters:** 59 - -**Dimension analysis:** -- `state_code` → Enum lookup (state names) - -**Example - Current label generation:** -- Parameter: `gov.hhs.medicaid.eligibility.categories.senior_or_disabled.income.limit.individual.AK` -- Generated label: "Medicaid senior or disabled income limit (individual) (AK)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 75. `gov.hhs.medicaid.eligibility.categories.senior_or_disabled.income.disregard.couple` - -**Label:** Medicaid senior or disabled income disregard (couple) - -**Breakdown dimensions:** `['state_code']` - -**Child parameters:** 59 - -**Dimension analysis:** -- `state_code` → Enum lookup (state names) - -**Example - Current label generation:** -- Parameter: `gov.hhs.medicaid.eligibility.categories.senior_or_disabled.income.disregard.couple.AL` -- Generated label: "Medicaid senior or disabled income disregard (couple) (AL)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 76. `gov.hhs.medicaid.eligibility.categories.senior_or_disabled.income.disregard.individual` - -**Label:** Medicaid senior or disabled income disregard (individual) - -**Breakdown dimensions:** `['state_code']` - -**Child parameters:** 59 - -**Dimension analysis:** -- `state_code` → Enum lookup (state names) - -**Example - Current label generation:** -- Parameter: `gov.hhs.medicaid.eligibility.categories.senior_or_disabled.income.disregard.individual.AL` -- Generated label: "Medicaid senior or disabled income disregard (individual) (AL)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 77. `gov.hhs.medicaid.eligibility.categories.senior_or_disabled.assets.limit.couple` - -**Label:** Medicaid senior or disabled asset limit (couple) - -**Breakdown dimensions:** `['state_code']` - -**Child parameters:** 59 - -**Dimension analysis:** -- `state_code` → Enum lookup (state names) - -**Example - Current label generation:** -- Parameter: `gov.hhs.medicaid.eligibility.categories.senior_or_disabled.assets.limit.couple.AL` -- Generated label: "Medicaid senior or disabled asset limit (couple) (AL)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 78. `gov.hhs.medicaid.eligibility.categories.senior_or_disabled.assets.limit.individual` - -**Label:** Medicaid senior or disabled asset limit (individual) - -**Breakdown dimensions:** `['state_code']` - -**Child parameters:** 59 - -**Dimension analysis:** -- `state_code` → Enum lookup (state names) - -**Example - Current label generation:** -- Parameter: `gov.hhs.medicaid.eligibility.categories.senior_or_disabled.assets.limit.individual.AL` -- Generated label: "Medicaid senior or disabled asset limit (individual) (AL)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 79. `gov.hhs.medicaid.eligibility.categories.young_adult.income_limit` - -**Label:** Medicaid pregnant income limit - -**Breakdown dimensions:** `['state_code']` - -**Child parameters:** 59 - -**Dimension analysis:** -- `state_code` → Enum lookup (state names) - -**Example - Current label generation:** -- Parameter: `gov.hhs.medicaid.eligibility.categories.young_adult.income_limit.AK` -- Generated label: "Medicaid pregnant income limit (AK)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 80. `gov.hhs.medicaid.eligibility.categories.older_child.income_limit` - -**Label:** Medicaid older child income limit - -**Breakdown dimensions:** `['state_code']` - -**Child parameters:** 59 - -**Dimension analysis:** -- `state_code` → Enum lookup (state names) - -**Example - Current label generation:** -- Parameter: `gov.hhs.medicaid.eligibility.categories.older_child.income_limit.AK` -- Generated label: "Medicaid older child income limit (AK)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 81. `gov.hhs.medicaid.eligibility.categories.parent.income_limit` - -**Label:** Medicaid parent income limit - -**Breakdown dimensions:** `['state_code']` - -**Child parameters:** 59 - -**Dimension analysis:** -- `state_code` → Enum lookup (state names) - -**Example - Current label generation:** -- Parameter: `gov.hhs.medicaid.eligibility.categories.parent.income_limit.AK` -- Generated label: "Medicaid parent income limit (AK)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 82. `gov.hhs.medicaid.eligibility.categories.pregnant.income_limit` - -**Label:** Medicaid pregnant income limit - -**Breakdown dimensions:** `['state_code']` - -**Child parameters:** 59 - -**Dimension analysis:** -- `state_code` → Enum lookup (state names) - -**Example - Current label generation:** -- Parameter: `gov.hhs.medicaid.eligibility.categories.pregnant.income_limit.AK` -- Generated label: "Medicaid pregnant income limit (AK)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 83. `gov.hhs.medicaid.eligibility.categories.pregnant.postpartum_coverage` - -**Label:** Medicaid postpartum coverage - -**Breakdown dimensions:** `['state_code']` - -**Child parameters:** 59 - -**Dimension analysis:** -- `state_code` → Enum lookup (state names) - -**Example - Current label generation:** -- Parameter: `gov.hhs.medicaid.eligibility.categories.pregnant.postpartum_coverage.AK` -- Generated label: "Medicaid postpartum coverage (AK)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 84. `gov.hhs.medicaid.eligibility.categories.ssi_recipient.is_covered` - -**Label:** Medicaid covers all SSI recipients - -**Breakdown dimensions:** `['state_code']` - -**Child parameters:** 59 - -**Dimension analysis:** -- `state_code` → Enum lookup (state names) - -**Example - Current label generation:** -- Parameter: `gov.hhs.medicaid.eligibility.categories.ssi_recipient.is_covered.AK` -- Generated label: "Medicaid covers all SSI recipients (AK)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 85. `gov.hhs.medicaid.eligibility.categories.infant.income_limit` - -**Label:** Medicaid infant income limit - -**Breakdown dimensions:** `['state_code']` - -**Child parameters:** 59 - -**Dimension analysis:** -- `state_code` → Enum lookup (state names) - -**Example - Current label generation:** -- Parameter: `gov.hhs.medicaid.eligibility.categories.infant.income_limit.AK` -- Generated label: "Medicaid infant income limit (AK)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 86. `gov.hhs.medicaid.eligibility.categories.adult.income_limit` - -**Label:** Medicaid adult income limit - -**Breakdown dimensions:** `['state_code']` - -**Child parameters:** 59 - -**Dimension analysis:** -- `state_code` → Enum lookup (state names) - -**Example - Current label generation:** -- Parameter: `gov.hhs.medicaid.eligibility.categories.adult.income_limit.AK` -- Generated label: "Medicaid adult income limit (AK)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 87. `gov.hhs.chip.fcep.income_limit` - -**Label:** CHIP FCEP pregnant income limit - -**Breakdown dimensions:** `['state_code']` - -**Child parameters:** 59 - -**Dimension analysis:** -- `state_code` → Enum lookup (state names) - -**Example - Current label generation:** -- Parameter: `gov.hhs.chip.fcep.income_limit.AK` -- Generated label: "CHIP FCEP pregnant income limit (AK)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 88. `gov.hhs.chip.pregnant.income_limit` - -**Label:** CHIP pregnant income limit - -**Breakdown dimensions:** `['state_code']` - -**Child parameters:** 59 - -**Dimension analysis:** -- `state_code` → Enum lookup (state names) - -**Example - Current label generation:** -- Parameter: `gov.hhs.chip.pregnant.income_limit.AK` -- Generated label: "CHIP pregnant income limit (AK)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 89. `gov.hhs.chip.child.income_limit` - -**Label:** CHIP child income limit - -**Breakdown dimensions:** `['state_code']` - -**Child parameters:** 59 - -**Dimension analysis:** -- `state_code` → Enum lookup (state names) - -**Example - Current label generation:** -- Parameter: `gov.hhs.chip.child.income_limit.AK` -- Generated label: "CHIP child income limit (AK)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 90. `gov.hhs.medicare.savings_programs.eligibility.asset.applies` - -**Label:** MSP asset test applies - -**Breakdown dimensions:** `['state_code']` - -**Child parameters:** 59 - -**Dimension analysis:** -- `state_code` → Enum lookup (state names) - -**Example - Current label generation:** -- Parameter: `gov.hhs.medicare.savings_programs.eligibility.asset.applies.AL` -- Generated label: "MSP asset test applies (AL)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 91. `gov.hhs.tanf.non_cash.income_limit.gross` - -**Label:** SNAP BBCE gross income limit - -**Breakdown dimensions:** `['state_code']` - -**Child parameters:** 59 - -**Dimension analysis:** -- `state_code` → Enum lookup (state names) - -**Example - Current label generation:** -- Parameter: `gov.hhs.tanf.non_cash.income_limit.gross.AL` -- Generated label: "SNAP BBCE gross income limit (AL)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 92. `gov.states.ma.dta.ssp.amount` - -**Label:** Massachusetts SSP payment amount - -**Breakdown dimensions:** `['ma_state_living_arrangement', 'ssi_category', 'range(1, 3)']` - -**Child parameters:** 48 - -**Dimension analysis:** -- `ma_state_living_arrangement` → Variable/enum lookup (may or may not have labels) -- `ssi_category` → Variable/enum lookup (may or may not have labels) -- `range(1, 3)` → **Raw numeric index (NO semantic label)** - -**Example - Current label generation:** -- Parameter: `gov.states.ma.dta.ssp.amount.FULL_COST.AGED.1` -- Generated label: "Massachusetts SSP payment amount (FULL_COST, AGED, 1)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ['[CHECK: ma_state_living_arrangement]', '[CHECK: ssi_category]', '[NEEDS: label for range(1, 3)]']` - ---- - -### 93. `gov.states.ma.eec.ccfa.reimbursement_rates.center_based.school_age` - -**Label:** Massachusetts CCFA center-based school age reimbursement rates - -**Breakdown dimensions:** `['ma_ccfa_region', 'ma_ccfa_child_age_category', 'ma_ccfa_schedule_type']` - -**Child parameters:** 48 - -**Dimension analysis:** -- `ma_ccfa_region` → Variable/enum lookup (may or may not have labels) -- `ma_ccfa_child_age_category` → Variable/enum lookup (may or may not have labels) -- `ma_ccfa_schedule_type` → Variable/enum lookup (may or may not have labels) - -**Example - Current label generation:** -- Parameter: `gov.states.ma.eec.ccfa.reimbursement_rates.center_based.school_age.WESTERN_CENTRAL_AND_SOUTHEAST.SCHOOL_AGE.BEFORE_ONLY` -- Generated label: "Massachusetts CCFA center-based school age reimbursement rates (WESTERN_CENTRAL_AND_SOUTHEAST, SCHOOL_AGE, BEFORE_ONLY)" - -**Suggested improvement:** -- ℹ️ Uses custom enum variables - verify they have display labels -- Consider adding `breakdown_labels` for clarity - ---- - -### 94. `gov.contrib.additional_tax_bracket.bracket.thresholds` - -**Label:** Individual income tax rate thresholds - -**Breakdown dimensions:** `['range(1, 8)', 'filing_status']` - -**Child parameters:** 40 - -**Dimension analysis:** -- `range(1, 8)` → **Raw numeric index (NO semantic label)** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.contrib.additional_tax_bracket.bracket.thresholds.1.SINGLE` -- Generated label: "Individual income tax rate thresholds (1, SINGLE)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ['[NEEDS: label for range(1, 8)]', 'Filing status']` - ---- - -### 95. `gov.usda.snap.income.deductions.standard` - -**Label:** SNAP standard deduction - -**Breakdown dimensions:** `['state_group', 'range(1, 7)']` - -**Child parameters:** 36 - -**Dimension analysis:** -- `state_group` → Variable/enum lookup (may or may not have labels) -- `range(1, 7)` → **Raw numeric index (NO semantic label)** - -**Example - Current label generation:** -- Parameter: `gov.usda.snap.income.deductions.standard.CONTIGUOUS_US.1` -- Generated label: "SNAP standard deduction (CONTIGUOUS_US, 1)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ['[CHECK: state_group]', '[NEEDS: label for range(1, 7)]']` - ---- - -### 96. `gov.irs.income.bracket.thresholds` - -**Label:** Individual income tax rate thresholds - -**Breakdown dimensions:** `['range(1, 7)', 'filing_status']` - -**Child parameters:** 35 - -**Dimension analysis:** -- `range(1, 7)` → **Raw numeric index (NO semantic label)** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.irs.income.bracket.thresholds.1.SINGLE` -- Generated label: "Individual income tax rate thresholds (1, SINGLE)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ['[NEEDS: label for range(1, 7)]', 'Filing status']` - ---- - -### 97. `gov.states.ma.eec.ccfa.copay.fee_level.fee_percentages` - -**Label:** Massachusetts CCFA fee percentage by fee level - -**Breakdown dimensions:** `['range(1,29)']` - -**Child parameters:** 29 - -**Dimension analysis:** -- `range(1,29)` → **Raw numeric index (NO semantic label)** - -**Example - Current label generation:** -- Parameter: `gov.states.ma.eec.ccfa.copay.fee_level.fee_percentages.0` -- Generated label: "Massachusetts CCFA fee percentage by fee level (0)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ['[NEEDS: label for range(1,29)]']` - ---- - -### 98. `gov.states.pa.dhs.tanf.standard_of_need.amount` - -**Label:** Pennsylvania TANF Standard of Need by county group - -**Breakdown dimensions:** `['pa_tanf_county_group']` - -**Child parameters:** 24 - -**Dimension analysis:** -- `pa_tanf_county_group` → Variable/enum lookup (may or may not have labels) - -**Example - Current label generation:** -- Parameter: `gov.states.pa.dhs.tanf.standard_of_need.amount.GROUP_1.1` -- Generated label: "Pennsylvania TANF Standard of Need by county group (GROUP_1, 1)" - -**Suggested improvement:** -- ℹ️ Uses custom enum variables - verify they have display labels -- Consider adding `breakdown_labels` for clarity - ---- - -### 99. `gov.states.pa.dhs.tanf.family_size_allowance.amount` - -**Label:** Pennsylvania TANF family size allowance by county group - -**Breakdown dimensions:** `['pa_tanf_county_group']` - -**Child parameters:** 24 - -**Dimension analysis:** -- `pa_tanf_county_group` → Variable/enum lookup (may or may not have labels) - -**Example - Current label generation:** -- Parameter: `gov.states.pa.dhs.tanf.family_size_allowance.amount.GROUP_1.1` -- Generated label: "Pennsylvania TANF family size allowance by county group (GROUP_1, 1)" - -**Suggested improvement:** -- ℹ️ Uses custom enum variables - verify they have display labels -- Consider adding `breakdown_labels` for clarity - ---- - -### 100. `gov.states.ma.doer.liheap.standard.amount.non_subsidized` - -**Label:** Massachusetts LIHEAP homeowners and non subsidized housing payment amount - -**Breakdown dimensions:** `['range(0,7)', 'ma_liheap_utility_category']` - -**Child parameters:** 21 - -**Dimension analysis:** -- `range(0,7)` → **Raw numeric index (NO semantic label)** -- `ma_liheap_utility_category` → Variable/enum lookup (may or may not have labels) - -**Example - Current label generation:** -- Parameter: `gov.states.ma.doer.liheap.standard.amount.non_subsidized.0.DELIVERABLE_FUEL` -- Generated label: "Massachusetts LIHEAP homeowners and non subsidized housing payment amount (0, DELIVERABLE_FUEL)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ['[NEEDS: label for range(0,7)]', '[CHECK: ma_liheap_utility_category]']` - ---- - -### 101. `gov.states.ma.doer.liheap.standard.amount.subsidized` - -**Label:** Massachusetts LIHEAP subsidized housing payment amount - -**Breakdown dimensions:** `['range(1,6)', 'ma_liheap_utility_category']` - -**Child parameters:** 21 - -**Dimension analysis:** -- `range(1,6)` → **Raw numeric index (NO semantic label)** -- `ma_liheap_utility_category` → Variable/enum lookup (may or may not have labels) - -**Example - Current label generation:** -- Parameter: `gov.states.ma.doer.liheap.standard.amount.subsidized.0.DELIVERABLE_FUEL` -- Generated label: "Massachusetts LIHEAP subsidized housing payment amount (0, DELIVERABLE_FUEL)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ['[NEEDS: label for range(1,6)]', '[CHECK: ma_liheap_utility_category]']` - ---- - -### 102. `gov.states.mn.dcyf.mfip.transitional_standard.amount` - -**Label:** Minnesota MFIP Transitional Standard amount - -**Breakdown dimensions:** `['range(0, 20)']` - -**Child parameters:** 20 - -**Dimension analysis:** -- `range(0, 20)` → **Raw numeric index (NO semantic label)** - -**Example - Current label generation:** -- Parameter: `gov.states.mn.dcyf.mfip.transitional_standard.amount.1` -- Generated label: "Minnesota MFIP Transitional Standard amount (1)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ['[NEEDS: label for range(0, 20)]']` - ---- - -### 103. `gov.states.dc.dhs.tanf.standard_payment.amount` - -**Label:** DC TANF standard payment amount - -**Breakdown dimensions:** `['range(0, 20)']` - -**Child parameters:** 20 - -**Dimension analysis:** -- `range(0, 20)` → **Raw numeric index (NO semantic label)** - -**Example - Current label generation:** -- Parameter: `gov.states.dc.dhs.tanf.standard_payment.amount.1` -- Generated label: "DC TANF standard payment amount (1)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ['[NEEDS: label for range(0, 20)]']` - ---- - -### 104. `gov.hud.ami_limit.family_size` - -**Label:** HUD area median income limit - -**Breakdown dimensions:** `['hud_income_level', 'range(1, 5)']` - -**Child parameters:** 20 - -**Dimension analysis:** -- `hud_income_level` → Variable/enum lookup (may or may not have labels) -- `range(1, 5)` → **Raw numeric index (NO semantic label)** - -**Example - Current label generation:** -- Parameter: `gov.hud.ami_limit.family_size.MODERATE.1` -- Generated label: "HUD area median income limit (MODERATE, 1)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ['[CHECK: hud_income_level]', '[NEEDS: label for range(1, 5)]']` - ---- - -### 105. `gov.states.ut.dwf.fep.standard_needs_budget.amount` - -**Label:** Utah FEP Standard Needs Budget (SNB) - -**Breakdown dimensions:** `['range(1, 20)']` - -**Child parameters:** 19 - -**Dimension analysis:** -- `range(1, 20)` → **Raw numeric index (NO semantic label)** - -**Example - Current label generation:** -- Parameter: `gov.states.ut.dwf.fep.standard_needs_budget.amount.1` -- Generated label: "Utah FEP Standard Needs Budget (SNB) (1)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ['[NEEDS: label for range(1, 20)]']` - ---- - -### 106. `gov.states.ut.dwf.fep.payment_standard.amount` - -**Label:** Utah FEP maximum benefit amount - -**Breakdown dimensions:** `['range(1, 20)']` - -**Child parameters:** 19 - -**Dimension analysis:** -- `range(1, 20)` → **Raw numeric index (NO semantic label)** - -**Example - Current label generation:** -- Parameter: `gov.states.ut.dwf.fep.payment_standard.amount.1` -- Generated label: "Utah FEP maximum benefit amount (1)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ['[NEEDS: label for range(1, 20)]']` - ---- - -### 107. `gov.states.mo.dss.tanf.standard_of_need.amount` - -**Label:** Missouri TANF standard of need - -**Breakdown dimensions:** `['range(1, 20)']` - -**Child parameters:** 19 - -**Dimension analysis:** -- `range(1, 20)` → **Raw numeric index (NO semantic label)** - -**Example - Current label generation:** -- Parameter: `gov.states.mo.dss.tanf.standard_of_need.amount.1` -- Generated label: "Missouri TANF standard of need (1)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ['[NEEDS: label for range(1, 20)]']` - ---- - -### 108. `gov.states.ar.dhs.tea.payment_standard.amount` - -**Label:** Arkansas TEA payment standard amount - -**Breakdown dimensions:** `['range(1, 20)']` - -**Child parameters:** 19 - -**Dimension analysis:** -- `range(1, 20)` → **Raw numeric index (NO semantic label)** - -**Example - Current label generation:** -- Parameter: `gov.states.ar.dhs.tea.payment_standard.amount.1` -- Generated label: "Arkansas TEA payment standard amount (1)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ['[NEEDS: label for range(1, 20)]']` - ---- - -### 109. `gov.usda.school_meals.amount.nslp` - -**Label:** National School Lunch Program value - -**Breakdown dimensions:** `['state_group', 'school_meal_tier']` - -**Child parameters:** 18 - -**Dimension analysis:** -- `state_group` → Variable/enum lookup (may or may not have labels) -- `school_meal_tier` → Variable/enum lookup (may or may not have labels) - -**Example - Current label generation:** -- Parameter: `gov.usda.school_meals.amount.nslp.CONTIGUOUS_US.PAID` -- Generated label: "National School Lunch Program value (CONTIGUOUS_US, PAID)" - -**Suggested improvement:** -- ℹ️ Uses custom enum variables - verify they have display labels -- Consider adding `breakdown_labels` for clarity - ---- - -### 110. `gov.usda.school_meals.amount.sbp` - -**Label:** School Breakfast Program value - -**Breakdown dimensions:** `['state_group', 'school_meal_tier']` - -**Child parameters:** 18 - -**Dimension analysis:** -- `state_group` → Variable/enum lookup (may or may not have labels) -- `school_meal_tier` → Variable/enum lookup (may or may not have labels) - -**Example - Current label generation:** -- Parameter: `gov.usda.school_meals.amount.sbp.CONTIGUOUS_US.PAID` -- Generated label: "School Breakfast Program value (CONTIGUOUS_US, PAID)" - -**Suggested improvement:** -- ℹ️ Uses custom enum variables - verify they have display labels -- Consider adding `breakdown_labels` for clarity - ---- - -### 111. `gov.contrib.harris.capital_gains.thresholds` - -**Label:** Harris capital gains tax rate thresholds - -**Breakdown dimensions:** `['range(1, 4)', 'filing_status']` - -**Child parameters:** 15 - -**Dimension analysis:** -- `range(1, 4)` → **Raw numeric index (NO semantic label)** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.contrib.harris.capital_gains.thresholds.1.HEAD_OF_HOUSEHOLD` -- Generated label: "Harris capital gains tax rate thresholds (1, HEAD_OF_HOUSEHOLD)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ['[NEEDS: label for range(1, 4)]', 'Filing status']` - ---- - -### 112. `gov.states.oh.odjfs.owf.payment_standard.amounts` - -**Label:** Ohio Works First payment standard amounts - -**Breakdown dimensions:** `['range(1, 16)']` - -**Child parameters:** 15 - -**Dimension analysis:** -- `range(1, 16)` → **Raw numeric index (NO semantic label)** - -**Example - Current label generation:** -- Parameter: `gov.states.oh.odjfs.owf.payment_standard.amounts.1` -- Generated label: "Ohio Works First payment standard amounts (1)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ['[NEEDS: label for range(1, 16)]']` - ---- - -### 113. `gov.states.nc.ncdhhs.tanf.need_standard.main` - -**Label:** North Carolina TANF monthly need standard - -**Breakdown dimensions:** `['range(1, 15)']` - -**Child parameters:** 14 - -**Dimension analysis:** -- `range(1, 15)` → **Raw numeric index (NO semantic label)** - -**Example - Current label generation:** -- Parameter: `gov.states.nc.ncdhhs.tanf.need_standard.main.1` -- Generated label: "North Carolina TANF monthly need standard (1)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ['[NEEDS: label for range(1, 15)]']` - ---- - -### 114. `gov.states.ma.eec.ccfa.copay.fee_level.income_ratio_increments` - -**Label:** Massachusetts CCFA income ratio increments by household size - -**Breakdown dimensions:** `['range(1,13)']` - -**Child parameters:** 13 - -**Dimension analysis:** -- `range(1,13)` → **Raw numeric index (NO semantic label)** - -**Example - Current label generation:** -- Parameter: `gov.states.ma.eec.ccfa.copay.fee_level.income_ratio_increments.0` -- Generated label: "Massachusetts CCFA income ratio increments by household size (0)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ['[NEEDS: label for range(1,13)]']` - ---- - -### 115. `gov.states.ma.eec.ccfa.reimbursement_rates.head_start_partner_and_kindergarten` - -**Label:** Massachusetts CCFA head start partner and kindergarten reimbursement rates - -**Breakdown dimensions:** `['ma_ccfa_region', 'ma_ccfa_schedule_type']` - -**Child parameters:** 12 - -**Dimension analysis:** -- `ma_ccfa_region` → Variable/enum lookup (may or may not have labels) -- `ma_ccfa_schedule_type` → Variable/enum lookup (may or may not have labels) - -**Example - Current label generation:** -- Parameter: `gov.states.ma.eec.ccfa.reimbursement_rates.head_start_partner_and_kindergarten.WESTERN_CENTRAL_AND_SOUTHEAST.BEFORE_ONLY` -- Generated label: "Massachusetts CCFA head start partner and kindergarten reimbursement rates (WESTERN_CENTRAL_AND_SOUTHEAST, BEFORE_ONLY)" - -**Suggested improvement:** -- ℹ️ Uses custom enum variables - verify they have display labels -- Consider adding `breakdown_labels` for clarity - ---- - -### 116. `gov.states.ma.eec.ccfa.reimbursement_rates.center_based.early_education` - -**Label:** Massachusetts CCFA center-based early education reimbursement rates - -**Breakdown dimensions:** `['ma_ccfa_region', 'ma_ccfa_child_age_category']` - -**Child parameters:** 12 - -**Dimension analysis:** -- `ma_ccfa_region` → Variable/enum lookup (may or may not have labels) -- `ma_ccfa_child_age_category` → Variable/enum lookup (may or may not have labels) - -**Example - Current label generation:** -- Parameter: `gov.states.ma.eec.ccfa.reimbursement_rates.center_based.early_education.WESTERN_CENTRAL_AND_SOUTHEAST.INFANT` -- Generated label: "Massachusetts CCFA center-based early education reimbursement rates (WESTERN_CENTRAL_AND_SOUTHEAST, INFANT)" - -**Suggested improvement:** -- ℹ️ Uses custom enum variables - verify they have display labels -- Consider adding `breakdown_labels` for clarity - ---- - -### 117. `gov.hhs.fpg` - -**Label:** Federal poverty guidelines - -**Breakdown dimensions:** `[['first_person', 'additional_person'], 'state_group']` - -**Child parameters:** 12 - -**Dimension analysis:** -- `['first_person', 'additional_person']` → List of fixed keys -- `state_group` → Variable/enum lookup (may or may not have labels) - -**Example - Current label generation:** -- Parameter: `gov.hhs.fpg.first_person.CONTIGUOUS_US` -- Generated label: "Federal poverty guidelines (first_person, CONTIGUOUS_US)" - -**Suggested improvement:** -- ℹ️ Uses custom enum variables - verify they have display labels -- Consider adding `breakdown_labels` for clarity - ---- - -### 118. `gov.states.ga.dfcs.tanf.financial_standards.family_maximum.base` - -**Label:** Georgia TANF family maximum base amount - -**Breakdown dimensions:** `['range(1, 12)']` - -**Child parameters:** 11 - -**Dimension analysis:** -- `range(1, 12)` → **Raw numeric index (NO semantic label)** - -**Example - Current label generation:** -- Parameter: `gov.states.ga.dfcs.tanf.financial_standards.family_maximum.base.1` -- Generated label: "Georgia TANF family maximum base amount (1)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ['[NEEDS: label for range(1, 12)]']` - ---- - -### 119. `gov.states.ga.dfcs.tanf.financial_standards.standard_of_need.base` - -**Label:** Georgia TANF standard of need base amount - -**Breakdown dimensions:** `['range(1, 12)']` - -**Child parameters:** 11 - -**Dimension analysis:** -- `range(1, 12)` → **Raw numeric index (NO semantic label)** - -**Example - Current label generation:** -- Parameter: `gov.states.ga.dfcs.tanf.financial_standards.standard_of_need.base.1` -- Generated label: "Georgia TANF standard of need base amount (1)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ['[NEEDS: label for range(1, 12)]']` - ---- - -### 120. `gov.usda.snap.income.deductions.utility.standard.by_household_size.amount` - -**Label:** SNAP SUAs by household size - -**Breakdown dimensions:** `[['NC'], 'range(1, 10)']` - -**Child parameters:** 10 - -**Dimension analysis:** -- `['NC']` → List of fixed keys -- `range(1, 10)` → **Raw numeric index (NO semantic label)** - -**Example - Current label generation:** -- Parameter: `gov.usda.snap.income.deductions.utility.standard.by_household_size.amount.NC.1` -- Generated label: "SNAP SUAs by household size (NC, 1)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ["[NEEDS: label for ['NC']]", '[NEEDS: label for range(1, 10)]']` - ---- - -### 121. `gov.usda.snap.income.deductions.utility.limited.by_household_size.amount` - -**Label:** SNAP LUAs by household size - -**Breakdown dimensions:** `[['NC'], 'range(1, 10)']` - -**Child parameters:** 10 - -**Dimension analysis:** -- `['NC']` → List of fixed keys -- `range(1, 10)` → **Raw numeric index (NO semantic label)** - -**Example - Current label generation:** -- Parameter: `gov.usda.snap.income.deductions.utility.limited.by_household_size.amount.NC.1` -- Generated label: "SNAP LUAs by household size (NC, 1)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ["[NEEDS: label for ['NC']]", '[NEEDS: label for range(1, 10)]']` - ---- - -### 122. `gov.states.ms.dhs.tanf.need_standard.amount` - -**Label:** Mississippi TANF need standard amount - -**Breakdown dimensions:** `['range(1, 11)']` - -**Child parameters:** 10 - -**Dimension analysis:** -- `range(1, 11)` → **Raw numeric index (NO semantic label)** - -**Example - Current label generation:** -- Parameter: `gov.states.ms.dhs.tanf.need_standard.amount.1` -- Generated label: "Mississippi TANF need standard amount (1)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ['[NEEDS: label for range(1, 11)]']` - ---- - -### 123. `gov.states.in.fssa.tanf.standard_of_need.amount` - -**Label:** Indiana TANF standard of need amount - -**Breakdown dimensions:** `['range(1, 11)']` - -**Child parameters:** 10 - -**Dimension analysis:** -- `range(1, 11)` → **Raw numeric index (NO semantic label)** - -**Example - Current label generation:** -- Parameter: `gov.states.in.fssa.tanf.standard_of_need.amount.1` -- Generated label: "Indiana TANF standard of need amount (1)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ['[NEEDS: label for range(1, 11)]']` - ---- - -### 124. `gov.states.ca.cdss.tanf.cash.monthly_payment.region1.exempt` - -**Label:** California CalWORKs monthly payment level - exempt map region 1 - -**Breakdown dimensions:** `['range(1, 11)']` - -**Child parameters:** 10 - -**Dimension analysis:** -- `range(1, 11)` → **Raw numeric index (NO semantic label)** - -**Example - Current label generation:** -- Parameter: `gov.states.ca.cdss.tanf.cash.monthly_payment.region1.exempt.1` -- Generated label: "California CalWORKs monthly payment level - exempt map region 1 (1)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ['[NEEDS: label for range(1, 11)]']` - ---- - -### 125. `gov.states.ca.cdss.tanf.cash.monthly_payment.region1.non_exempt` - -**Label:** California CalWORKs monthly payment level - non-exempt map region 1 - -**Breakdown dimensions:** `['range(1, 11)']` - -**Child parameters:** 10 - -**Dimension analysis:** -- `range(1, 11)` → **Raw numeric index (NO semantic label)** - -**Example - Current label generation:** -- Parameter: `gov.states.ca.cdss.tanf.cash.monthly_payment.region1.non_exempt.1` -- Generated label: "California CalWORKs monthly payment level - non-exempt map region 1 (1)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ['[NEEDS: label for range(1, 11)]']` - ---- - -### 126. `gov.states.ca.cdss.tanf.cash.monthly_payment.region2.exempt` - -**Label:** California CalWORKs monthly payment level - exempt map region 2 - -**Breakdown dimensions:** `['range(1, 11)']` - -**Child parameters:** 10 - -**Dimension analysis:** -- `range(1, 11)` → **Raw numeric index (NO semantic label)** - -**Example - Current label generation:** -- Parameter: `gov.states.ca.cdss.tanf.cash.monthly_payment.region2.exempt.1` -- Generated label: "California CalWORKs monthly payment level - exempt map region 2 (1)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ['[NEEDS: label for range(1, 11)]']` - ---- - -### 127. `gov.states.ca.cdss.tanf.cash.monthly_payment.region2.non_exempt` - -**Label:** California CalWORKs monthly payment level - non-exempt map region 2 - -**Breakdown dimensions:** `['range(1, 11)']` - -**Child parameters:** 10 - -**Dimension analysis:** -- `range(1, 11)` → **Raw numeric index (NO semantic label)** - -**Example - Current label generation:** -- Parameter: `gov.states.ca.cdss.tanf.cash.monthly_payment.region2.non_exempt.1` -- Generated label: "California CalWORKs monthly payment level - non-exempt map region 2 (1)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ['[NEEDS: label for range(1, 11)]']` - ---- - -### 128. `gov.states.ca.cdss.tanf.cash.income.monthly_limit.region1.main` - -**Label:** California CalWORKs monthly income limit for region 1 - -**Breakdown dimensions:** `['range(1, 11)']` - -**Child parameters:** 10 - -**Dimension analysis:** -- `range(1, 11)` → **Raw numeric index (NO semantic label)** - -**Example - Current label generation:** -- Parameter: `gov.states.ca.cdss.tanf.cash.income.monthly_limit.region1.main.1` -- Generated label: "California CalWORKs monthly income limit for region 1 (1)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ['[NEEDS: label for range(1, 11)]']` - ---- - -### 129. `gov.states.ca.cdss.tanf.cash.income.monthly_limit.region2.main` - -**Label:** California CalWORKs monthly income limit for region 2 - -**Breakdown dimensions:** `['range(1, 11)']` - -**Child parameters:** 10 - -**Dimension analysis:** -- `range(1, 11)` → **Raw numeric index (NO semantic label)** - -**Example - Current label generation:** -- Parameter: `gov.states.ca.cdss.tanf.cash.income.monthly_limit.region2.main.1` -- Generated label: "California CalWORKs monthly income limit for region 2 (1)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ['[NEEDS: label for range(1, 11)]']` - ---- - -### 130. `gov.states.ks.dcf.tanf.payment_standard.amount` - -**Label:** Kansas TANF payment standard amount - -**Breakdown dimensions:** `['range(0, 10)']` - -**Child parameters:** 10 - -**Dimension analysis:** -- `range(0, 10)` → **Raw numeric index (NO semantic label)** - -**Example - Current label generation:** -- Parameter: `gov.states.ks.dcf.tanf.payment_standard.amount.1` -- Generated label: "Kansas TANF payment standard amount (1)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ['[NEEDS: label for range(0, 10)]']` - ---- - -### 131. `gov.states.ne.dhhs.adc.benefit.standard_of_need.amount` - -**Label:** Nebraska ADC standard of need - -**Breakdown dimensions:** `['range(1, 11)']` - -**Child parameters:** 10 - -**Dimension analysis:** -- `range(1, 11)` → **Raw numeric index (NO semantic label)** - -**Example - Current label generation:** -- Parameter: `gov.states.ne.dhhs.adc.benefit.standard_of_need.amount.1` -- Generated label: "Nebraska ADC standard of need (1)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ['[NEEDS: label for range(1, 11)]']` - ---- - -### 132. `gov.states.id.tafi.work_incentive_table.amount` - -**Label:** Idaho TAFI work incentive table amount - -**Breakdown dimensions:** `['range(1, 11)']` - -**Child parameters:** 10 - -**Dimension analysis:** -- `range(1, 11)` → **Raw numeric index (NO semantic label)** - -**Example - Current label generation:** -- Parameter: `gov.states.id.tafi.work_incentive_table.amount.1` -- Generated label: "Idaho TAFI work incentive table amount (1)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ['[NEEDS: label for range(1, 11)]']` - ---- - -### 133. `gov.states.or.odhs.tanf.income.countable_income_limit.amount` - -**Label:** Oregon TANF countable income limit - -**Breakdown dimensions:** `['range(1, 11)']` - -**Child parameters:** 10 - -**Dimension analysis:** -- `range(1, 11)` → **Raw numeric index (NO semantic label)** - -**Example - Current label generation:** -- Parameter: `gov.states.or.odhs.tanf.income.countable_income_limit.amount.1` -- Generated label: "Oregon TANF countable income limit (1)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ['[NEEDS: label for range(1, 11)]']` - ---- - -### 134. `gov.states.or.odhs.tanf.income.adjusted_income_limit.amount` - -**Label:** Oregon TANF adjusted income limit - -**Breakdown dimensions:** `['range(1, 11)']` - -**Child parameters:** 10 - -**Dimension analysis:** -- `range(1, 11)` → **Raw numeric index (NO semantic label)** - -**Example - Current label generation:** -- Parameter: `gov.states.or.odhs.tanf.income.adjusted_income_limit.amount.1` -- Generated label: "Oregon TANF adjusted income limit (1)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ['[NEEDS: label for range(1, 11)]']` - ---- - -### 135. `gov.states.or.odhs.tanf.payment_standard.amount` - -**Label:** Oregon TANF payment standard - -**Breakdown dimensions:** `['range(1, 11)']` - -**Child parameters:** 10 - -**Dimension analysis:** -- `range(1, 11)` → **Raw numeric index (NO semantic label)** - -**Example - Current label generation:** -- Parameter: `gov.states.or.odhs.tanf.payment_standard.amount.1` -- Generated label: "Oregon TANF payment standard (1)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ['[NEEDS: label for range(1, 11)]']` - ---- - -### 136. `gov.states.wa.dshs.tanf.income.limit` - -**Label:** Washington TANF maximum gross earned income limit - -**Breakdown dimensions:** `['range(1, 11)']` - -**Child parameters:** 10 - -**Dimension analysis:** -- `range(1, 11)` → **Raw numeric index (NO semantic label)** - -**Example - Current label generation:** -- Parameter: `gov.states.wa.dshs.tanf.income.limit.1` -- Generated label: "Washington TANF maximum gross earned income limit (1)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ['[NEEDS: label for range(1, 11)]']` - ---- - -### 137. `gov.states.wa.dshs.tanf.payment_standard.amount` - -**Label:** Washington TANF payment standard - -**Breakdown dimensions:** `['range(1, 11)']` - -**Child parameters:** 10 - -**Dimension analysis:** -- `range(1, 11)` → **Raw numeric index (NO semantic label)** - -**Example - Current label generation:** -- Parameter: `gov.states.wa.dshs.tanf.payment_standard.amount.1` -- Generated label: "Washington TANF payment standard (1)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ['[NEEDS: label for range(1, 11)]']` - ---- - -### 138. `gov.contrib.additional_tax_bracket.bracket.rates` - -**Label:** Individual income tax rates - -**Breakdown dimensions:** `['range(1, 8)']` - -**Child parameters:** 8 - -**Dimension analysis:** -- `range(1, 8)` → **Raw numeric index (NO semantic label)** - -**Example - Current label generation:** -- Parameter: `gov.contrib.additional_tax_bracket.bracket.rates.1` -- Generated label: "Individual income tax rates (1)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ['[NEEDS: label for range(1, 8)]']` - ---- - -### 139. `gov.states.ma.dta.tcap.eaedc.standard_assistance.amount.additional` - -**Label:** Massachusetts EAEDC standard assistance additional amount - -**Breakdown dimensions:** `['ma_eaedc_living_arrangement']` - -**Child parameters:** 8 - -**Dimension analysis:** -- `ma_eaedc_living_arrangement` → Variable/enum lookup (may or may not have labels) - -**Example - Current label generation:** -- Parameter: `gov.states.ma.dta.tcap.eaedc.standard_assistance.amount.additional.A` -- Generated label: "Massachusetts EAEDC standard assistance additional amount (A)" - -**Suggested improvement:** -- ℹ️ Uses custom enum variables - verify they have display labels -- Consider adding `breakdown_labels` for clarity - ---- - -### 140. `gov.states.ma.dta.tcap.eaedc.standard_assistance.amount.base` - -**Label:** Massachusetts EAEDC standard assistance base amount - -**Breakdown dimensions:** `['ma_eaedc_living_arrangement']` - -**Child parameters:** 8 - -**Dimension analysis:** -- `ma_eaedc_living_arrangement` → Variable/enum lookup (may or may not have labels) - -**Example - Current label generation:** -- Parameter: `gov.states.ma.dta.tcap.eaedc.standard_assistance.amount.base.A` -- Generated label: "Massachusetts EAEDC standard assistance base amount (A)" - -**Suggested improvement:** -- ℹ️ Uses custom enum variables - verify they have display labels -- Consider adding `breakdown_labels` for clarity - ---- - -### 141. `gov.states.nj.njdhs.tanf.maximum_benefit.main` - -**Label:** New Jersey TANF monthly maximum benefit - -**Breakdown dimensions:** `['range(1, 9)']` - -**Child parameters:** 8 - -**Dimension analysis:** -- `range(1, 9)` → **Raw numeric index (NO semantic label)** - -**Example - Current label generation:** -- Parameter: `gov.states.nj.njdhs.tanf.maximum_benefit.main.1` -- Generated label: "New Jersey TANF monthly maximum benefit (1)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ['[NEEDS: label for range(1, 9)]']` - ---- - -### 142. `gov.states.nj.njdhs.tanf.maximum_allowable_income.main` - -**Label:** New Jersey TANF monthly maximum allowable income - -**Breakdown dimensions:** `['range(1, 9)']` - -**Child parameters:** 8 - -**Dimension analysis:** -- `range(1, 9)` → **Raw numeric index (NO semantic label)** - -**Example - Current label generation:** -- Parameter: `gov.states.nj.njdhs.tanf.maximum_allowable_income.main.1` -- Generated label: "New Jersey TANF monthly maximum allowable income (1)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ['[NEEDS: label for range(1, 9)]']` - ---- - -### 143. `gov.states.il.dhs.aabd.payment.personal_allowance.bedfast` - -**Label:** Illinois AABD bedfast applicant personal allowance - -**Breakdown dimensions:** `['range(1,9)']` - -**Child parameters:** 8 - -**Dimension analysis:** -- `range(1,9)` → **Raw numeric index (NO semantic label)** - -**Example - Current label generation:** -- Parameter: `gov.states.il.dhs.aabd.payment.personal_allowance.bedfast.1` -- Generated label: "Illinois AABD bedfast applicant personal allowance (1)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ['[NEEDS: label for range(1,9)]']` - ---- - -### 144. `gov.states.il.dhs.aabd.payment.personal_allowance.active` - -**Label:** Illinois AABD active applicant personal allowance - -**Breakdown dimensions:** `['range(1,9)']` - -**Child parameters:** 8 - -**Dimension analysis:** -- `range(1,9)` → **Raw numeric index (NO semantic label)** - -**Example - Current label generation:** -- Parameter: `gov.states.il.dhs.aabd.payment.personal_allowance.active.1` -- Generated label: "Illinois AABD active applicant personal allowance (1)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ['[NEEDS: label for range(1,9)]']` - ---- - -### 145. `gov.usda.snap.income.deductions.excess_shelter_expense.cap` - -**Label:** SNAP maximum shelter deduction - -**Breakdown dimensions:** `['snap_region']` - -**Child parameters:** 7 - -**Dimension analysis:** -- `snap_region` → Enum lookup - -**Example - Current label generation:** -- Parameter: `gov.usda.snap.income.deductions.excess_shelter_expense.cap.CONTIGUOUS_US` -- Generated label: "SNAP maximum shelter deduction (CONTIGUOUS_US)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 146. `gov.states.ma.doer.liheap.hecs.amount.non_subsidized` - -**Label:** Massachusetts LIHEAP High Energy Cost Supplement payment for homeowners and non-subsidized housing applicants - -**Breakdown dimensions:** `['range(0,7)']` - -**Child parameters:** 7 - -**Dimension analysis:** -- `range(0,7)` → **Raw numeric index (NO semantic label)** - -**Example - Current label generation:** -- Parameter: `gov.states.ma.doer.liheap.hecs.amount.non_subsidized.0` -- Generated label: "Massachusetts LIHEAP High Energy Cost Supplement payment for homeowners and non-subsidized housing applicants (0)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ['[NEEDS: label for range(0,7)]']` - ---- - -### 147. `gov.states.ma.doer.liheap.hecs.amount.subsidized` - -**Label:** Massachusetts LIHEAP High Energy Cost Supplement payment for subsidized housing applicants - -**Breakdown dimensions:** `['range(0,7)']` - -**Child parameters:** 7 - -**Dimension analysis:** -- `range(0,7)` → **Raw numeric index (NO semantic label)** - -**Example - Current label generation:** -- Parameter: `gov.states.ma.doer.liheap.hecs.amount.subsidized.0` -- Generated label: "Massachusetts LIHEAP High Energy Cost Supplement payment for subsidized housing applicants (0)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ['[NEEDS: label for range(0,7)]']` - ---- - -### 148. `gov.states.ky.dcbs.ktap.benefit.standard_of_need` - -**Label:** Kentucky K-TAP standard of need - -**Breakdown dimensions:** `['range(1, 8)']` - -**Child parameters:** 7 - -**Dimension analysis:** -- `range(1, 8)` → **Raw numeric index (NO semantic label)** - -**Example - Current label generation:** -- Parameter: `gov.states.ky.dcbs.ktap.benefit.standard_of_need.1` -- Generated label: "Kentucky K-TAP standard of need (1)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ['[NEEDS: label for range(1, 8)]']` - ---- - -### 149. `gov.states.ky.dcbs.ktap.benefit.payment_maximum` - -**Label:** Kentucky K-TAP payment maximum - -**Breakdown dimensions:** `['range(1, 8)']` - -**Child parameters:** 7 - -**Dimension analysis:** -- `range(1, 8)` → **Raw numeric index (NO semantic label)** - -**Example - Current label generation:** -- Parameter: `gov.states.ky.dcbs.ktap.benefit.payment_maximum.1` -- Generated label: "Kentucky K-TAP payment maximum (1)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ['[NEEDS: label for range(1, 8)]']` - ---- - -### 150. `gov.irs.income.bracket.rates` - -**Label:** Individual income tax rates - -**Breakdown dimensions:** `['range(1, 8)']` - -**Child parameters:** 7 - -**Dimension analysis:** -- `range(1, 8)` → **Raw numeric index (NO semantic label)** - -**Example - Current label generation:** -- Parameter: `gov.irs.income.bracket.rates.1` -- Generated label: "Individual income tax rates (1)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ['[NEEDS: label for range(1, 8)]']` - ---- - -### 151. `gov.aca.family_tier_ratings.ny` - -**Label:** ACA premium family tier multipliers - NY - -**Breakdown dimensions:** `['slcsp_family_tier_category']` - -**Child parameters:** 6 - -**Dimension analysis:** -- `slcsp_family_tier_category` → Variable/enum lookup (may or may not have labels) - -**Example - Current label generation:** -- Parameter: `gov.aca.family_tier_ratings.ny.ONE_ADULT` -- Generated label: "ACA premium family tier multipliers - NY (ONE_ADULT)" - -**Suggested improvement:** -- ℹ️ Uses custom enum variables - verify they have display labels -- Consider adding `breakdown_labels` for clarity - ---- - -### 152. `gov.aca.family_tier_ratings.vt` - -**Label:** ACA premium family tier multipliers - VT - -**Breakdown dimensions:** `['slcsp_family_tier_category']` - -**Child parameters:** 6 - -**Dimension analysis:** -- `slcsp_family_tier_category` → Variable/enum lookup (may or may not have labels) - -**Example - Current label generation:** -- Parameter: `gov.aca.family_tier_ratings.vt.ONE_ADULT` -- Generated label: "ACA premium family tier multipliers - VT (ONE_ADULT)" - -**Suggested improvement:** -- ℹ️ Uses custom enum variables - verify they have display labels -- Consider adding `breakdown_labels` for clarity - ---- - -### 153. `gov.usda.wic.nutritional_risk` - -**Label:** WIC nutritional risk - -**Breakdown dimensions:** `['wic_category']` - -**Child parameters:** 6 - -**Dimension analysis:** -- `wic_category` → Variable/enum lookup (may or may not have labels) - -**Example - Current label generation:** -- Parameter: `gov.usda.wic.nutritional_risk.PREGNANT` -- Generated label: "WIC nutritional risk (PREGNANT)" - -**Suggested improvement:** -- ℹ️ Uses custom enum variables - verify they have display labels -- Consider adding `breakdown_labels` for clarity - ---- - -### 154. `gov.usda.wic.takeup` - -**Label:** WIC takeup rate - -**Breakdown dimensions:** `['wic_category']` - -**Child parameters:** 6 - -**Dimension analysis:** -- `wic_category` → Variable/enum lookup (may or may not have labels) - -**Example - Current label generation:** -- Parameter: `gov.usda.wic.takeup.PREGNANT` -- Generated label: "WIC takeup rate (PREGNANT)" - -**Suggested improvement:** -- ℹ️ Uses custom enum variables - verify they have display labels -- Consider adding `breakdown_labels` for clarity - ---- - -### 155. `gov.states.ma.doer.liheap.hecs.eligibility.prior_year_cost_threshold` - -**Label:** Massachusetts LIHEAP HECS payment threshold - -**Breakdown dimensions:** `['ma_liheap_heating_type']` - -**Child parameters:** 6 - -**Dimension analysis:** -- `ma_liheap_heating_type` → Variable/enum lookup (may or may not have labels) - -**Example - Current label generation:** -- Parameter: `gov.states.ma.doer.liheap.hecs.eligibility.prior_year_cost_threshold.HEATING_OIL_AND_PROPANE` -- Generated label: "Massachusetts LIHEAP HECS payment threshold (HEATING_OIL_AND_PROPANE)" - -**Suggested improvement:** -- ℹ️ Uses custom enum variables - verify they have display labels -- Consider adding `breakdown_labels` for clarity - ---- - -### 156. `gov.states.ny.otda.tanf.need_standard.main` - -**Label:** New York TANF monthly income limit - -**Breakdown dimensions:** `['range(1, 7)']` - -**Child parameters:** 6 - -**Dimension analysis:** -- `range(1, 7)` → **Raw numeric index (NO semantic label)** - -**Example - Current label generation:** -- Parameter: `gov.states.ny.otda.tanf.need_standard.main.1` -- Generated label: "New York TANF monthly income limit (1)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ['[NEEDS: label for range(1, 7)]']` - ---- - -### 157. `gov.states.ny.otda.tanf.grant_standard.main` - -**Label:** New York TANF monthly income limit - -**Breakdown dimensions:** `['range(1, 7)']` - -**Child parameters:** 6 - -**Dimension analysis:** -- `range(1, 7)` → **Raw numeric index (NO semantic label)** - -**Example - Current label generation:** -- Parameter: `gov.states.ny.otda.tanf.grant_standard.main.1` -- Generated label: "New York TANF monthly income limit (1)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ['[NEEDS: label for range(1, 7)]']` - ---- - -### 158. `calibration.gov.hhs.medicaid.totals.per_capita` - -**Label:** Per-capita Medicaid cost for other adults - -**Breakdown dimensions:** `['medicaid_group']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `medicaid_group` → Variable/enum lookup (may or may not have labels) - -**Example - Current label generation:** -- Parameter: `calibration.gov.hhs.medicaid.totals.per_capita.NON_EXPANSION_ADULT` -- Generated label: "Per-capita Medicaid cost for other adults (NON_EXPANSION_ADULT)" - -**Suggested improvement:** -- ℹ️ Uses custom enum variables - verify they have display labels -- Consider adding `breakdown_labels` for clarity - ---- - -### 159. `gov.territories.pr.tax.income.taxable_income.exemptions.personal` - -**Label:** Puerto Rico personal exemption amount - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.territories.pr.tax.income.taxable_income.exemptions.personal.SINGLE` -- Generated label: "Puerto Rico personal exemption amount (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 160. `gov.contrib.biden.budget_2025.capital_gains.income_threshold` - -**Label:** Threshold above which capital income is taxed as ordinary income - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.contrib.biden.budget_2025.capital_gains.income_threshold.JOINT` -- Generated label: "Threshold above which capital income is taxed as ordinary income (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 161. `gov.contrib.harris.lift.middle_class_tax_credit.phase_out.width` - -**Label:** Middle Class Tax Credit phase-out width - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.contrib.harris.lift.middle_class_tax_credit.phase_out.width.SINGLE` -- Generated label: "Middle Class Tax Credit phase-out width (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 162. `gov.contrib.harris.lift.middle_class_tax_credit.phase_out.start` - -**Label:** Middle Class Tax Credit phase-out start - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.contrib.harris.lift.middle_class_tax_credit.phase_out.start.SINGLE` -- Generated label: "Middle Class Tax Credit phase-out start (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 163. `gov.contrib.ubi_center.basic_income.agi_limit.amount` - -**Label:** Basic income AGI limit - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.contrib.ubi_center.basic_income.agi_limit.amount.SINGLE` -- Generated label: "Basic income AGI limit (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 164. `gov.contrib.ubi_center.basic_income.phase_out.end` - -**Label:** Basic income phase-out end - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.contrib.ubi_center.basic_income.phase_out.end.SINGLE` -- Generated label: "Basic income phase-out end (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 165. `gov.contrib.ubi_center.basic_income.phase_out.threshold` - -**Label:** Basic income phase-out threshold - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.contrib.ubi_center.basic_income.phase_out.threshold.SINGLE` -- Generated label: "Basic income phase-out threshold (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 166. `gov.contrib.ubi_center.flat_tax.exemption.agi` - -**Label:** Flat tax on AGI exemption amount - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.contrib.ubi_center.flat_tax.exemption.agi.HEAD_OF_HOUSEHOLD` -- Generated label: "Flat tax on AGI exemption amount (HEAD_OF_HOUSEHOLD)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 167. `gov.contrib.crfb.ss_credit.amount` - -**Label:** CRFB Social Security nonrefundable credit amount - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.contrib.crfb.ss_credit.amount.JOINT` -- Generated label: "CRFB Social Security nonrefundable credit amount (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 168. `gov.contrib.local.nyc.stc.income_limit` - -**Label:** NYC School Tax Credit Income Limit - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.contrib.local.nyc.stc.income_limit.SINGLE` -- Generated label: "NYC School Tax Credit Income Limit (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 169. `gov.contrib.states.ri.dependent_exemption.phaseout.threshold` - -**Label:** Rhode Island dependent exemption phaseout threshold - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.contrib.states.ri.dependent_exemption.phaseout.threshold.JOINT` -- Generated label: "Rhode Island dependent exemption phaseout threshold (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 170. `gov.contrib.states.ri.ctc.phaseout.threshold` - -**Label:** Rhode Island Child Tax Credit phaseout threshold - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.contrib.states.ri.ctc.phaseout.threshold.JOINT` -- Generated label: "Rhode Island Child Tax Credit phaseout threshold (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 171. `gov.contrib.states.dc.property_tax.income_limit.non_elderly` - -**Label:** DC property tax credit non-elderly income limit - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.contrib.states.dc.property_tax.income_limit.non_elderly.JOINT` -- Generated label: "DC property tax credit non-elderly income limit (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 172. `gov.contrib.states.dc.property_tax.income_limit.elderly` - -**Label:** DC property tax credit elderly income limit - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.contrib.states.dc.property_tax.income_limit.elderly.JOINT` -- Generated label: "DC property tax credit elderly income limit (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 173. `gov.contrib.states.dc.property_tax.amount` - -**Label:** DC property tax credit amount - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.contrib.states.dc.property_tax.amount.JOINT` -- Generated label: "DC property tax credit amount (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 174. `gov.contrib.states.de.dependent_credit.phaseout.threshold` - -**Label:** Delaware dependent credit phaseout threshold - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.contrib.states.de.dependent_credit.phaseout.threshold.JOINT` -- Generated label: "Delaware dependent credit phaseout threshold (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 175. `gov.contrib.dc_kccatc.phase_out.threshold` - -**Label:** DC KCCATC phase-out threshold - -**Breakdown dimensions:** `filing_status` - -**Child parameters:** 5 - -**Dimension analysis:** -- `f` → Variable/enum lookup (may or may not have labels) -- `i` → Variable/enum lookup (may or may not have labels) -- `l` → Variable/enum lookup (may or may not have labels) -- `i` → Variable/enum lookup (may or may not have labels) -- `n` → Variable/enum lookup (may or may not have labels) -- `g` → Variable/enum lookup (may or may not have labels) -- `_` → Variable/enum lookup (may or may not have labels) -- `s` → Variable/enum lookup (may or may not have labels) -- `t` → Variable/enum lookup (may or may not have labels) -- `a` → Variable/enum lookup (may or may not have labels) -- `t` → Variable/enum lookup (may or may not have labels) -- `u` → Variable/enum lookup (may or may not have labels) -- `s` → Variable/enum lookup (may or may not have labels) - -**Example - Current label generation:** -- Parameter: `gov.contrib.dc_kccatc.phase_out.threshold.SINGLE` -- Generated label: "DC KCCATC phase-out threshold (SINGLE)" - -**Suggested improvement:** -- ℹ️ Uses custom enum variables - verify they have display labels -- Consider adding `breakdown_labels` for clarity - ---- - -### 176. `gov.contrib.congress.hawley.awra.phase_out.start` - -**Label:** American Worker Rebate Act phase-out start - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.contrib.congress.hawley.awra.phase_out.start.SINGLE` -- Generated label: "American Worker Rebate Act phase-out start (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 177. `gov.contrib.congress.tlaib.end_child_poverty_act.filer_credit.phase_out.start` - -**Label:** End Child Poverty Act filer credit phase-out start - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.contrib.congress.tlaib.end_child_poverty_act.filer_credit.phase_out.start.JOINT` -- Generated label: "End Child Poverty Act filer credit phase-out start (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 178. `gov.contrib.congress.tlaib.end_child_poverty_act.filer_credit.amount` - -**Label:** End Child Poverty Act filer credit amount - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.contrib.congress.tlaib.end_child_poverty_act.filer_credit.amount.JOINT` -- Generated label: "End Child Poverty Act filer credit amount (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 179. `gov.contrib.congress.tlaib.economic_dignity_for_all_agenda.end_child_poverty_act.filer_credit.phase_out.start` - -**Label:** Filer credit phase-out start - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.contrib.congress.tlaib.economic_dignity_for_all_agenda.end_child_poverty_act.filer_credit.phase_out.start.JOINT` -- Generated label: "Filer credit phase-out start (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 180. `gov.contrib.congress.tlaib.economic_dignity_for_all_agenda.end_child_poverty_act.filer_credit.amount` - -**Label:** Filer credit amount - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.contrib.congress.tlaib.economic_dignity_for_all_agenda.end_child_poverty_act.filer_credit.amount.JOINT` -- Generated label: "Filer credit amount (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 181. `gov.contrib.congress.afa.ctc.phase_out.threshold.lower` - -**Label:** AFA CTC phase-out lower threshold - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.contrib.congress.afa.ctc.phase_out.threshold.lower.SINGLE` -- Generated label: "AFA CTC phase-out lower threshold (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 182. `gov.contrib.congress.afa.ctc.phase_out.threshold.higher` - -**Label:** AFA CTC phase-out higher threshold - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.contrib.congress.afa.ctc.phase_out.threshold.higher.SINGLE` -- Generated label: "AFA CTC phase-out higher threshold (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 183. `gov.local.ca.riv.general_relief.needs_standards.personal_needs` - -**Label:** Riverside County General Relief personal needs standard - -**Breakdown dimensions:** `['range(1,6)']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `range(1,6)` → **Raw numeric index (NO semantic label)** - -**Example - Current label generation:** -- Parameter: `gov.local.ca.riv.general_relief.needs_standards.personal_needs.1` -- Generated label: "Riverside County General Relief personal needs standard (1)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ['[NEEDS: label for range(1,6)]']` - ---- - -### 184. `gov.local.ca.riv.general_relief.needs_standards.food` - -**Label:** Riverside County General Relief food needs standard - -**Breakdown dimensions:** `['range(1,6)']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `range(1,6)` → **Raw numeric index (NO semantic label)** - -**Example - Current label generation:** -- Parameter: `gov.local.ca.riv.general_relief.needs_standards.food.1` -- Generated label: "Riverside County General Relief food needs standard (1)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ['[NEEDS: label for range(1,6)]']` - ---- - -### 185. `gov.local.ca.riv.general_relief.needs_standards.housing` - -**Label:** Riverside County General Relief housing needs standard - -**Breakdown dimensions:** `['range(1,6)']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `range(1,6)` → **Raw numeric index (NO semantic label)** - -**Example - Current label generation:** -- Parameter: `gov.local.ca.riv.general_relief.needs_standards.housing.1` -- Generated label: "Riverside County General Relief housing needs standard (1)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ['[NEEDS: label for range(1,6)]']` - ---- - -### 186. `gov.local.ny.nyc.tax.income.credits.school.fixed.amount` - -**Label:** NYC School Tax Credit Fixed Amount - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.local.ny.nyc.tax.income.credits.school.fixed.amount.SINGLE` -- Generated label: "NYC School Tax Credit Fixed Amount (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 187. `gov.states.vt.tax.income.agi.retirement_income_exemption.social_security.reduction.end` - -**Label:** Vermont social security retirement income exemption income threshold - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.vt.tax.income.agi.retirement_income_exemption.social_security.reduction.end.JOINT` -- Generated label: "Vermont social security retirement income exemption income threshold (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 188. `gov.states.vt.tax.income.agi.retirement_income_exemption.social_security.reduction.start` - -**Label:** Vermont social security retirement income exemption reduction threshold - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.vt.tax.income.agi.retirement_income_exemption.social_security.reduction.start.JOINT` -- Generated label: "Vermont social security retirement income exemption reduction threshold (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 189. `gov.states.vt.tax.income.agi.retirement_income_exemption.csrs.reduction.end` - -**Label:** Vermont CSRS and military retirement income exemption income threshold - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.vt.tax.income.agi.retirement_income_exemption.csrs.reduction.end.JOINT` -- Generated label: "Vermont CSRS and military retirement income exemption income threshold (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 190. `gov.states.vt.tax.income.agi.retirement_income_exemption.csrs.reduction.start` - -**Label:** Vermont CSRS and military retirement income exemption reduction threshold - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.vt.tax.income.agi.retirement_income_exemption.csrs.reduction.start.JOINT` -- Generated label: "Vermont CSRS and military retirement income exemption reduction threshold (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 191. `gov.states.vt.tax.income.deductions.standard.base` - -**Label:** Vermont standard deduction - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.vt.tax.income.deductions.standard.base.JOINT` -- Generated label: "Vermont standard deduction (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 192. `gov.states.vt.tax.income.credits.cdcc.low_income.income_threshold` - -**Label:** Vermont low-income CDCC AGI limit - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.vt.tax.income.credits.cdcc.low_income.income_threshold.JOINT` -- Generated label: "Vermont low-income CDCC AGI limit (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 193. `gov.states.va.tax.income.subtractions.age_deduction.threshold` - -**Label:** Adjusted federal AGI threshold for VA taxpayers eligible for an age deduction - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.va.tax.income.subtractions.age_deduction.threshold.JOINT` -- Generated label: "Adjusted federal AGI threshold for VA taxpayers eligible for an age deduction (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 194. `gov.states.va.tax.income.deductions.itemized.applicable_amount` - -**Label:** Virginia itemized deduction applicable amount - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.va.tax.income.deductions.itemized.applicable_amount.JOINT` -- Generated label: "Virginia itemized deduction applicable amount (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 195. `gov.states.va.tax.income.deductions.standard` - -**Label:** Virginia standard deduction - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.va.tax.income.deductions.standard.JOINT` -- Generated label: "Virginia standard deduction (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 196. `gov.states.va.tax.income.rebate.amount` - -**Label:** Virginia rebate amount - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.va.tax.income.rebate.amount.JOINT` -- Generated label: "Virginia rebate amount (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 197. `gov.states.va.tax.income.filing_requirement` - -**Label:** Virginia filing requirement - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.va.tax.income.filing_requirement.JOINT` -- Generated label: "Virginia filing requirement (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 198. `gov.states.ut.tax.income.credits.ctc.reduction.start` - -**Label:** Utah child tax credit reduction start - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.ut.tax.income.credits.ctc.reduction.start.SINGLE` -- Generated label: "Utah child tax credit reduction start (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 199. `gov.states.ga.tax.income.deductions.standard.amount` - -**Label:** Georgia standard deduction amount - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.ga.tax.income.deductions.standard.amount.JOINT` -- Generated label: "Georgia standard deduction amount (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 200. `gov.states.ga.tax.income.exemptions.personal.amount` - -**Label:** Georgia personal exemption amount - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.ga.tax.income.exemptions.personal.amount.JOINT` -- Generated label: "Georgia personal exemption amount (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 201. `gov.states.ga.tax.income.credits.surplus_tax_rebate.amount` - -**Label:** Georgia surplus tax rebate amount - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.ga.tax.income.credits.surplus_tax_rebate.amount.JOINT` -- Generated label: "Georgia surplus tax rebate amount (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 202. `gov.states.ms.tax.income.deductions.standard.amount` - -**Label:** Mississippi standard deduction - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.ms.tax.income.deductions.standard.amount.SINGLE` -- Generated label: "Mississippi standard deduction (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 203. `gov.states.ms.tax.income.exemptions.regular.amount` - -**Label:** Mississippi exemption - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.ms.tax.income.exemptions.regular.amount.SINGLE` -- Generated label: "Mississippi exemption (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 204. `gov.states.ms.tax.income.credits.charitable_contribution.cap` - -**Label:** Mississippi credit for contributions to foster organizations cap - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.ms.tax.income.credits.charitable_contribution.cap.JOINT` -- Generated label: "Mississippi credit for contributions to foster organizations cap (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 205. `gov.states.mt.tax.income.deductions.itemized.federal_income_tax.cap` - -**Label:** Montana federal income tax deduction cap - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.mt.tax.income.deductions.itemized.federal_income_tax.cap.JOINT` -- Generated label: "Montana federal income tax deduction cap (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 206. `gov.states.mt.tax.income.deductions.standard.floor` - -**Label:** Montana minimum standard deduction - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.mt.tax.income.deductions.standard.floor.JOINT` -- Generated label: "Montana minimum standard deduction (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 207. `gov.states.mt.tax.income.deductions.standard.cap` - -**Label:** Montana standard deduction max amount - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.mt.tax.income.deductions.standard.cap.JOINT` -- Generated label: "Montana standard deduction max amount (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 208. `gov.states.mt.tax.income.social_security.amount.upper` - -**Label:** Montana social security benefits amount - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.mt.tax.income.social_security.amount.upper.SINGLE` -- Generated label: "Montana social security benefits amount (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 209. `gov.states.mt.tax.income.social_security.amount.lower` - -**Label:** Montana social security benefits amount - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.mt.tax.income.social_security.amount.lower.SINGLE` -- Generated label: "Montana social security benefits amount (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 210. `gov.states.mt.tax.income.main.capital_gains.rates.main` - -**Label:** Montana capital gains tax rate when nonqualified income exceeds threshold - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.mt.tax.income.main.capital_gains.rates.main.JOINT` -- Generated label: "Montana capital gains tax rate when nonqualified income exceeds threshold (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 211. `gov.states.mt.tax.income.main.capital_gains.threshold` - -**Label:** Montana capital gains tax threshold - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.mt.tax.income.main.capital_gains.threshold.JOINT` -- Generated label: "Montana capital gains tax threshold (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 212. `gov.states.mt.tax.income.exemptions.interest.cap` - -**Label:** Montana senior interest income exclusion cap - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.mt.tax.income.exemptions.interest.cap.SINGLE` -- Generated label: "Montana senior interest income exclusion cap (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 213. `gov.states.mt.tax.income.credits.rebate.amount` - -**Label:** Montana income tax rebate amount - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.mt.tax.income.credits.rebate.amount.SINGLE` -- Generated label: "Montana income tax rebate amount (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 214. `gov.states.mo.tax.income.deductions.federal_income_tax.cap` - -**Label:** Missouri federal income tax deduction caps - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.mo.tax.income.deductions.federal_income_tax.cap.SINGLE` -- Generated label: "Missouri federal income tax deduction caps (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 215. `gov.states.mo.tax.income.deductions.mo_private_pension_deduction_allowance` - -**Label:** Missouri private pension deduction allowance - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.mo.tax.income.deductions.mo_private_pension_deduction_allowance.SINGLE` -- Generated label: "Missouri private pension deduction allowance (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 216. `gov.states.mo.tax.income.deductions.social_security_and_public_pension.mo_ss_or_ssd_deduction_allowance` - -**Label:** Missouri social security or social security disability deduction allowance - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.mo.tax.income.deductions.social_security_and_public_pension.mo_ss_or_ssd_deduction_allowance.SINGLE` -- Generated label: "Missouri social security or social security disability deduction allowance (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 217. `gov.states.mo.tax.income.deductions.social_security_and_public_pension.mo_public_pension_deduction_allowance` - -**Label:** Missouri Public Pension Deduction Allowance - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.mo.tax.income.deductions.social_security_and_public_pension.mo_public_pension_deduction_allowance.SINGLE` -- Generated label: "Missouri Public Pension Deduction Allowance (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 218. `gov.states.mo.tax.income.deductions.social_security_and_public_pension.mo_ss_or_ssdi_exemption_threshold` - -**Label:** Missouri social security or social security disability income exemption threshold - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.mo.tax.income.deductions.social_security_and_public_pension.mo_ss_or_ssdi_exemption_threshold.SINGLE` -- Generated label: "Missouri social security or social security disability income exemption threshold (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 219. `gov.states.ma.tax.income.deductions.rent.cap` - -**Label:** Massachusetts rental deduction cap. - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.ma.tax.income.deductions.rent.cap.SINGLE` -- Generated label: "Massachusetts rental deduction cap. (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 220. `gov.states.ma.tax.income.exempt_status.limit.personal_exemption_added` - -**Label:** Massachusetts income tax exemption limit includes personal exemptions - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.ma.tax.income.exempt_status.limit.personal_exemption_added.SINGLE` -- Generated label: "Massachusetts income tax exemption limit includes personal exemptions (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 221. `gov.states.ma.tax.income.exempt_status.limit.base` - -**Label:** AGI addition to limit to be exempt from Massachusetts income tax. - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.ma.tax.income.exempt_status.limit.base.SINGLE` -- Generated label: "AGI addition to limit to be exempt from Massachusetts income tax. (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 222. `gov.states.ma.tax.income.exemptions.interest.amount` - -**Label:** Massachusetts interest exemption - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.ma.tax.income.exemptions.interest.amount.SINGLE` -- Generated label: "Massachusetts interest exemption (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 223. `gov.states.ma.tax.income.exemptions.personal` - -**Label:** Massachusetts income tax personal exemption - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.ma.tax.income.exemptions.personal.SINGLE` -- Generated label: "Massachusetts income tax personal exemption (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 224. `gov.states.ma.tax.income.credits.senior_circuit_breaker.eligibility.max_income` - -**Label:** Massachusetts Senior Circuit Breaker maximum income - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.ma.tax.income.credits.senior_circuit_breaker.eligibility.max_income.SINGLE` -- Generated label: "Massachusetts Senior Circuit Breaker maximum income (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 225. `gov.states.al.tax.income.deductions.standard.amount.max` - -**Label:** Alabama standard deduction maximum amount - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.al.tax.income.deductions.standard.amount.max.JOINT` -- Generated label: "Alabama standard deduction maximum amount (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 226. `gov.states.al.tax.income.deductions.standard.amount.min` - -**Label:** Alabama standard deduction minimum amount - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.al.tax.income.deductions.standard.amount.min.JOINT` -- Generated label: "Alabama standard deduction minimum amount (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 227. `gov.states.al.tax.income.deductions.standard.phase_out.increment` - -**Label:** Alabama standard deduction phase-out increment - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.al.tax.income.deductions.standard.phase_out.increment.JOINT` -- Generated label: "Alabama standard deduction phase-out increment (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 228. `gov.states.al.tax.income.deductions.standard.phase_out.rate` - -**Label:** Alabama standard deduction phase-out rate - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.al.tax.income.deductions.standard.phase_out.rate.JOINT` -- Generated label: "Alabama standard deduction phase-out rate (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 229. `gov.states.al.tax.income.deductions.standard.phase_out.threshold` - -**Label:** Alabama standard deduction phase-out threshold - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.al.tax.income.deductions.standard.phase_out.threshold.JOINT` -- Generated label: "Alabama standard deduction phase-out threshold (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 230. `gov.states.al.tax.income.exemptions.personal` - -**Label:** Alabama personal exemption amount - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.al.tax.income.exemptions.personal.SINGLE` -- Generated label: "Alabama personal exemption amount (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 231. `gov.states.nh.tax.income.exemptions.amount.base` - -**Label:** New Hampshire base exemption amount - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.nh.tax.income.exemptions.amount.base.SINGLE` -- Generated label: "New Hampshire base exemption amount (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 232. `gov.states.mn.tax.income.subtractions.education_savings.cap` - -**Label:** Minnesota 529 plan contribution subtraction maximum - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.mn.tax.income.subtractions.education_savings.cap.JOINT` -- Generated label: "Minnesota 529 plan contribution subtraction maximum (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 233. `gov.states.mn.tax.income.subtractions.elderly_disabled.agi_offset_base` - -**Label:** Minnesota base AGI offset in elderly/disabled subtraction calculations - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.mn.tax.income.subtractions.elderly_disabled.agi_offset_base.JOINT` -- Generated label: "Minnesota base AGI offset in elderly/disabled subtraction calculations (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 234. `gov.states.mn.tax.income.subtractions.elderly_disabled.base_amount` - -**Label:** Minnesota base amount in elderly/disabled subtraction calculations - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.mn.tax.income.subtractions.elderly_disabled.base_amount.JOINT` -- Generated label: "Minnesota base amount in elderly/disabled subtraction calculations (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 235. `gov.states.mn.tax.income.subtractions.social_security.alternative_amount` - -**Label:** Minnesota social security subtraction alternative subtraction amount - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.mn.tax.income.subtractions.social_security.alternative_amount.JOINT` -- Generated label: "Minnesota social security subtraction alternative subtraction amount (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 236. `gov.states.mn.tax.income.subtractions.social_security.reduction.start` - -**Label:** Minnesota social security subtraction reduction start - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.mn.tax.income.subtractions.social_security.reduction.start.JOINT` -- Generated label: "Minnesota social security subtraction reduction start (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 237. `gov.states.mn.tax.income.subtractions.social_security.income_amount` - -**Label:** Minnesota social security subtraction income amount - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.mn.tax.income.subtractions.social_security.income_amount.JOINT` -- Generated label: "Minnesota social security subtraction income amount (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 238. `gov.states.mn.tax.income.subtractions.pension_income.reduction.start` - -**Label:** Minnesota public pension income subtraction agi threshold - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.mn.tax.income.subtractions.pension_income.reduction.start.JOINT` -- Generated label: "Minnesota public pension income subtraction agi threshold (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 239. `gov.states.mn.tax.income.subtractions.pension_income.cap` - -**Label:** Minnesota public pension income subtraction cap - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.mn.tax.income.subtractions.pension_income.cap.JOINT` -- Generated label: "Minnesota public pension income subtraction cap (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 240. `gov.states.mn.tax.income.amt.fractional_income_threshold` - -**Label:** Minnesota fractional excess income threshold - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.mn.tax.income.amt.fractional_income_threshold.JOINT` -- Generated label: "Minnesota fractional excess income threshold (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 241. `gov.states.mn.tax.income.amt.income_threshold` - -**Label:** Minnesota AMT taxable income threshold - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.mn.tax.income.amt.income_threshold.JOINT` -- Generated label: "Minnesota AMT taxable income threshold (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 242. `gov.states.mn.tax.income.deductions.itemized.reduction.agi_threshold.high` - -**Label:** Minnesota itemized deduction higher reduction AGI threshold - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.mn.tax.income.deductions.itemized.reduction.agi_threshold.high.JOINT` -- Generated label: "Minnesota itemized deduction higher reduction AGI threshold (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 243. `gov.states.mn.tax.income.deductions.itemized.reduction.agi_threshold.low` - -**Label:** Minnesota itemized deduction lower reduction AGI threshold - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.mn.tax.income.deductions.itemized.reduction.agi_threshold.low.JOINT` -- Generated label: "Minnesota itemized deduction lower reduction AGI threshold (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 244. `gov.states.mn.tax.income.deductions.standard.extra` - -**Label:** Minnesota extra standard deduction amount for each aged/blind head/spouse - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.mn.tax.income.deductions.standard.extra.JOINT` -- Generated label: "Minnesota extra standard deduction amount for each aged/blind head/spouse (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 245. `gov.states.mn.tax.income.deductions.standard.reduction.agi_threshold.high` - -**Label:** Minnesota standard deduction higher reduction AGI threshold - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.mn.tax.income.deductions.standard.reduction.agi_threshold.high.JOINT` -- Generated label: "Minnesota standard deduction higher reduction AGI threshold (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 246. `gov.states.mn.tax.income.deductions.standard.reduction.agi_threshold.low` - -**Label:** Minnesota standard deduction lower reduction AGI threshold - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.mn.tax.income.deductions.standard.reduction.agi_threshold.low.JOINT` -- Generated label: "Minnesota standard deduction lower reduction AGI threshold (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 247. `gov.states.mn.tax.income.deductions.standard.base` - -**Label:** Minnesota base standard deduction amount - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.mn.tax.income.deductions.standard.base.JOINT` -- Generated label: "Minnesota base standard deduction amount (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 248. `gov.states.mn.tax.income.exemptions.agi_threshold` - -**Label:** federal adjusted gross income threshold above which Minnesota exemptions are limited - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.mn.tax.income.exemptions.agi_threshold.JOINT` -- Generated label: "federal adjusted gross income threshold above which Minnesota exemptions are limited (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 249. `gov.states.mn.tax.income.exemptions.agi_step_size` - -**Label:** federal adjusted gross income step size used to limit Minnesota exemptions - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.mn.tax.income.exemptions.agi_step_size.JOINT` -- Generated label: "federal adjusted gross income step size used to limit Minnesota exemptions (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 250. `gov.states.mi.tax.income.deductions.standard.tier_three.amount` - -**Label:** Michigan tier three standard deduction amount - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.mi.tax.income.deductions.standard.tier_three.amount.SINGLE` -- Generated label: "Michigan tier three standard deduction amount (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 251. `gov.states.mi.tax.income.deductions.standard.tier_two.amount.base` - -**Label:** Michigan tier two standard deduction base - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.mi.tax.income.deductions.standard.tier_two.amount.base.SINGLE` -- Generated label: "Michigan tier two standard deduction base (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 252. `gov.states.mi.tax.income.deductions.interest_dividends_capital_gains.amount` - -**Label:** Michigan interest, dividends, and capital gains deduction amount - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.mi.tax.income.deductions.interest_dividends_capital_gains.amount.SINGLE` -- Generated label: "Michigan interest, dividends, and capital gains deduction amount (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 253. `gov.states.mi.tax.income.deductions.retirement_benefits.tier_three.ss_exempt.retired.both_qualifying_amount` - -**Label:** Michigan tier three retirement and pension deduction both qualifying seniors - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.mi.tax.income.deductions.retirement_benefits.tier_three.ss_exempt.retired.both_qualifying_amount.SINGLE` -- Generated label: "Michigan tier three retirement and pension deduction both qualifying seniors (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 254. `gov.states.mi.tax.income.deductions.retirement_benefits.tier_three.ss_exempt.retired.single_qualifying_amount` - -**Label:** Michigan tier three retirement and pension deduction single qualifying senior amount - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.mi.tax.income.deductions.retirement_benefits.tier_three.ss_exempt.retired.single_qualifying_amount.SINGLE` -- Generated label: "Michigan tier three retirement and pension deduction single qualifying senior amount (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 255. `gov.states.mi.tax.income.deductions.retirement_benefits.tier_one.amount` - -**Label:** Michigan tier one retirement and pension benefits amount - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.mi.tax.income.deductions.retirement_benefits.tier_one.amount.SINGLE` -- Generated label: "Michigan tier one retirement and pension benefits amount (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 256. `gov.states.mi.tax.income.exemptions.dependent_on_other_return` - -**Label:** Michigan dependent on other return exemption amount - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.mi.tax.income.exemptions.dependent_on_other_return.SINGLE` -- Generated label: "Michigan dependent on other return exemption amount (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 257. `gov.states.ok.tax.income.deductions.standard.amount` - -**Label:** Oklahoma standard deduction amount - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.ok.tax.income.deductions.standard.amount.JOINT` -- Generated label: "Oklahoma standard deduction amount (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 258. `gov.states.ok.tax.income.exemptions.special_agi_limit` - -**Label:** Oklahoma special exemption federal AGI limit - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.ok.tax.income.exemptions.special_agi_limit.JOINT` -- Generated label: "Oklahoma special exemption federal AGI limit (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 259. `gov.states.in.tax.income.deductions.homeowners_property_tax.max` - -**Label:** Indiana max homeowner's property tax deduction - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.in.tax.income.deductions.homeowners_property_tax.max.SINGLE` -- Generated label: "Indiana max homeowner's property tax deduction (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 260. `gov.states.in.tax.income.deductions.renters.max` - -**Label:** Indiana max renter's deduction - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.in.tax.income.deductions.renters.max.SINGLE` -- Generated label: "Indiana max renter's deduction (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 261. `gov.states.in.tax.income.deductions.unemployment_compensation.agi_reduction` - -**Label:** Indiana AGI reduction for calculation of maximum unemployment compensation deduction - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.in.tax.income.deductions.unemployment_compensation.agi_reduction.SINGLE` -- Generated label: "Indiana AGI reduction for calculation of maximum unemployment compensation deduction (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 262. `gov.states.in.tax.income.exemptions.aged_low_agi.threshold` - -**Label:** Indiana low AGI aged exemption income limit - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.in.tax.income.exemptions.aged_low_agi.threshold.SINGLE` -- Generated label: "Indiana low AGI aged exemption income limit (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 263. `gov.states.co.tax.income.subtractions.collegeinvest_contribution.max_amount` - -**Label:** Colorado CollegeInvest contribution subtraction max amount - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.co.tax.income.subtractions.collegeinvest_contribution.max_amount.HEAD_OF_HOUSEHOLD` -- Generated label: "Colorado CollegeInvest contribution subtraction max amount (HEAD_OF_HOUSEHOLD)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 264. `gov.states.co.tax.income.subtractions.able_contribution.cap` - -**Label:** Colorado ABLE contribution subtraction cap - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.co.tax.income.subtractions.able_contribution.cap.JOINT` -- Generated label: "Colorado ABLE contribution subtraction cap (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 265. `gov.states.co.tax.income.additions.federal_deductions.exemption` - -**Label:** Colorado itemized or standard deduction add back exemption - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.co.tax.income.additions.federal_deductions.exemption.JOINT` -- Generated label: "Colorado itemized or standard deduction add back exemption (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 266. `gov.states.co.tax.income.additions.qualified_business_income_deduction.agi_threshold` - -**Label:** Colorado qualified business income deduction addback AGI threshold - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.co.tax.income.additions.qualified_business_income_deduction.agi_threshold.SINGLE` -- Generated label: "Colorado qualified business income deduction addback AGI threshold (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 267. `gov.states.co.tax.income.credits.income_qualified_senior_housing.reduction.max_amount` - -**Label:** Colorado income qualified senior housing income tax credit max amount - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.co.tax.income.credits.income_qualified_senior_housing.reduction.max_amount.SINGLE` -- Generated label: "Colorado income qualified senior housing income tax credit max amount (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 268. `gov.states.co.tax.income.credits.income_qualified_senior_housing.reduction.amount` - -**Label:** Colorado income qualified senior housing income tax credit reduction amount - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.co.tax.income.credits.income_qualified_senior_housing.reduction.amount.SINGLE` -- Generated label: "Colorado income qualified senior housing income tax credit reduction amount (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 269. `gov.states.co.tax.income.credits.sales_tax_refund.amount.multiplier` - -**Label:** Colorado sales tax refund filing status multiplier - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.co.tax.income.credits.sales_tax_refund.amount.multiplier.HEAD_OF_HOUSEHOLD` -- Generated label: "Colorado sales tax refund filing status multiplier (HEAD_OF_HOUSEHOLD)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 270. `gov.states.co.tax.income.credits.family_affordability.reduction.threshold` - -**Label:** Colorado family affordability tax credit income-based reduction start - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.co.tax.income.credits.family_affordability.reduction.threshold.SINGLE` -- Generated label: "Colorado family affordability tax credit income-based reduction start (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 271. `gov.states.ca.tax.income.amt.exemption.amti.threshold.upper` - -**Label:** California alternative minimum tax exemption upper AMTI threshold - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.ca.tax.income.amt.exemption.amti.threshold.upper.JOINT` -- Generated label: "California alternative minimum tax exemption upper AMTI threshold (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 272. `gov.states.ca.tax.income.amt.exemption.amti.threshold.lower` - -**Label:** California alternative minimum tax exemption lower AMTI threshold - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.ca.tax.income.amt.exemption.amti.threshold.lower.JOINT` -- Generated label: "California alternative minimum tax exemption lower AMTI threshold (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 273. `gov.states.ca.tax.income.amt.exemption.amount` - -**Label:** California exemption amount - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.ca.tax.income.amt.exemption.amount.JOINT` -- Generated label: "California exemption amount (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 274. `gov.states.ca.tax.income.deductions.itemized.limit.agi_threshold` - -**Label:** California itemized deduction limitation threshold - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.ca.tax.income.deductions.itemized.limit.agi_threshold.JOINT` -- Generated label: "California itemized deduction limitation threshold (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 275. `gov.states.ca.tax.income.deductions.standard.amount` - -**Label:** California standard deduction - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.ca.tax.income.deductions.standard.amount.JOINT` -- Generated label: "California standard deduction (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 276. `gov.states.ca.tax.income.exemptions.phase_out.increment` - -**Label:** California exemption phase out increment - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.ca.tax.income.exemptions.phase_out.increment.SINGLE` -- Generated label: "California exemption phase out increment (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 277. `gov.states.ca.tax.income.exemptions.phase_out.start` - -**Label:** California exemption phase out start - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.ca.tax.income.exemptions.phase_out.start.SINGLE` -- Generated label: "California exemption phase out start (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 278. `gov.states.ca.tax.income.exemptions.personal_scale` - -**Label:** California income personal exemption scaling factor - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.ca.tax.income.exemptions.personal_scale.SINGLE` -- Generated label: "California income personal exemption scaling factor (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 279. `gov.states.ca.tax.income.credits.renter.amount` - -**Label:** California renter tax credit amount - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.ca.tax.income.credits.renter.amount.SINGLE` -- Generated label: "California renter tax credit amount (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 280. `gov.states.ca.tax.income.credits.renter.income_cap` - -**Label:** California renter tax credit AGI cap - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.ca.tax.income.credits.renter.income_cap.SINGLE` -- Generated label: "California renter tax credit AGI cap (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 281. `gov.states.ia.tax.income.alternative_minimum_tax.threshold` - -**Label:** Iowa alternative minimum tax threshold amount - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.ia.tax.income.alternative_minimum_tax.threshold.JOINT` -- Generated label: "Iowa alternative minimum tax threshold amount (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 282. `gov.states.ia.tax.income.alternative_minimum_tax.exemption` - -**Label:** Iowa alternative minimum tax exemption amount - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.ia.tax.income.alternative_minimum_tax.exemption.JOINT` -- Generated label: "Iowa alternative minimum tax exemption amount (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 283. `gov.states.ia.tax.income.deductions.standard.amount` - -**Label:** Iowa standard deduction amount - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.ia.tax.income.deductions.standard.amount.JOINT` -- Generated label: "Iowa standard deduction amount (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 284. `gov.states.ia.tax.income.pension_exclusion.maximum_amount` - -**Label:** Iowa maximum pension exclusion amount - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.ia.tax.income.pension_exclusion.maximum_amount.JOINT` -- Generated label: "Iowa maximum pension exclusion amount (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 285. `gov.states.ia.tax.income.reportable_social_security.deduction` - -**Label:** Iowa reportable social security income deduction - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.ia.tax.income.reportable_social_security.deduction.JOINT` -- Generated label: "Iowa reportable social security income deduction (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 286. `gov.states.ct.tax.income.subtractions.tuition.cap` - -**Label:** Connecticut state tuition subtraction max amount - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.ct.tax.income.subtractions.tuition.cap.SINGLE` -- Generated label: "Connecticut state tuition subtraction max amount (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 287. `gov.states.ct.tax.income.subtractions.social_security.reduction_threshold` - -**Label:** Connecticut social security subtraction reduction threshold - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.ct.tax.income.subtractions.social_security.reduction_threshold.SINGLE` -- Generated label: "Connecticut social security subtraction reduction threshold (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 288. `gov.states.ct.tax.income.add_back.increment` - -**Label:** Connecticut income tax phase out brackets - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.ct.tax.income.add_back.increment.SINGLE` -- Generated label: "Connecticut income tax phase out brackets (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 289. `gov.states.ct.tax.income.add_back.max_amount` - -**Label:** Connecticut income tax phase out max amount - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.ct.tax.income.add_back.max_amount.SINGLE` -- Generated label: "Connecticut income tax phase out max amount (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 290. `gov.states.ct.tax.income.add_back.amount` - -**Label:** Connecticut bottom income tax phase out amount - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.ct.tax.income.add_back.amount.SINGLE` -- Generated label: "Connecticut bottom income tax phase out amount (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 291. `gov.states.ct.tax.income.add_back.start` - -**Label:** Connecticut income tax phase out start - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.ct.tax.income.add_back.start.SINGLE` -- Generated label: "Connecticut income tax phase out start (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 292. `gov.states.ct.tax.income.rebate.reduction.start` - -**Label:** Connecticut child tax rebate reduction start - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.ct.tax.income.rebate.reduction.start.SINGLE` -- Generated label: "Connecticut child tax rebate reduction start (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 293. `gov.states.ct.tax.income.exemptions.personal.max_amount` - -**Label:** Connecticut personal exemption max amount - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.ct.tax.income.exemptions.personal.max_amount.SINGLE` -- Generated label: "Connecticut personal exemption max amount (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 294. `gov.states.ct.tax.income.exemptions.personal.reduction.start` - -**Label:** Connecticut personal exemption reduction start - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.ct.tax.income.exemptions.personal.reduction.start.SINGLE` -- Generated label: "Connecticut personal exemption reduction start (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 295. `gov.states.ct.tax.income.credits.property_tax.reduction.increment` - -**Label:** Connecticut property tax reduction increment - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.ct.tax.income.credits.property_tax.reduction.increment.SINGLE` -- Generated label: "Connecticut property tax reduction increment (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 296. `gov.states.ct.tax.income.credits.property_tax.reduction.start` - -**Label:** Connecticut Property Tax Credit reduction start - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.ct.tax.income.credits.property_tax.reduction.start.SINGLE` -- Generated label: "Connecticut Property Tax Credit reduction start (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 297. `gov.states.ct.tax.income.recapture.middle.increment` - -**Label:** Connecticut income tax recapture middle bracket increment - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.ct.tax.income.recapture.middle.increment.SINGLE` -- Generated label: "Connecticut income tax recapture middle bracket increment (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 298. `gov.states.ct.tax.income.recapture.middle.max_amount` - -**Label:** Connecticut income tax recapture middle bracket max amount - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.ct.tax.income.recapture.middle.max_amount.SINGLE` -- Generated label: "Connecticut income tax recapture middle bracket max amount (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 299. `gov.states.ct.tax.income.recapture.middle.amount` - -**Label:** Connecticut income tax recapture middle bracket amount - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.ct.tax.income.recapture.middle.amount.SINGLE` -- Generated label: "Connecticut income tax recapture middle bracket amount (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 300. `gov.states.ct.tax.income.recapture.middle.start` - -**Label:** Connecticut income tax recapture middle bracket start - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.ct.tax.income.recapture.middle.start.SINGLE` -- Generated label: "Connecticut income tax recapture middle bracket start (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 301. `gov.states.ct.tax.income.recapture.high.increment` - -**Label:** Connecticut income tax recapture high bracket increment - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.ct.tax.income.recapture.high.increment.SINGLE` -- Generated label: "Connecticut income tax recapture high bracket increment (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 302. `gov.states.ct.tax.income.recapture.high.max_amount` - -**Label:** Connecticut income tax recapture high bracket max amount - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.ct.tax.income.recapture.high.max_amount.SINGLE` -- Generated label: "Connecticut income tax recapture high bracket max amount (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 303. `gov.states.ct.tax.income.recapture.high.amount` - -**Label:** Connecticut income tax recapture high bracket increment - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.ct.tax.income.recapture.high.amount.SINGLE` -- Generated label: "Connecticut income tax recapture high bracket increment (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 304. `gov.states.ct.tax.income.recapture.high.start` - -**Label:** Connecticut income tax recapture high bracket start - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.ct.tax.income.recapture.high.start.SINGLE` -- Generated label: "Connecticut income tax recapture high bracket start (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 305. `gov.states.ct.tax.income.recapture.low.increment` - -**Label:** Connecticut income tax recapture low bracket increment - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.ct.tax.income.recapture.low.increment.SINGLE` -- Generated label: "Connecticut income tax recapture low bracket increment (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 306. `gov.states.ct.tax.income.recapture.low.max_amount` - -**Label:** Connecticut income tax recapture low bracket max amount - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.ct.tax.income.recapture.low.max_amount.SINGLE` -- Generated label: "Connecticut income tax recapture low bracket max amount (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 307. `gov.states.ct.tax.income.recapture.low.amount` - -**Label:** Connecticut income tax recapture low bracket amount - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.ct.tax.income.recapture.low.amount.SINGLE` -- Generated label: "Connecticut income tax recapture low bracket amount (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 308. `gov.states.ct.tax.income.recapture.low.start` - -**Label:** Connecticut income tax recapture low bracket start - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.ct.tax.income.recapture.low.start.SINGLE` -- Generated label: "Connecticut income tax recapture low bracket start (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 309. `gov.states.wv.tax.income.subtractions.social_security_benefits.income_limit` - -**Label:** West Virginia social security benefits subtraction income limit - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.wv.tax.income.subtractions.social_security_benefits.income_limit.JOINT` -- Generated label: "West Virginia social security benefits subtraction income limit (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 310. `gov.states.wv.tax.income.subtractions.low_income_earned_income.income_limit` - -**Label:** West Virginia low-income earned income exclusion income limit - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.wv.tax.income.subtractions.low_income_earned_income.income_limit.SINGLE` -- Generated label: "West Virginia low-income earned income exclusion income limit (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 311. `gov.states.wv.tax.income.subtractions.low_income_earned_income.amount` - -**Label:** West Virginia low-income earned income exclusion low-income earned income exclusion limit - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.wv.tax.income.subtractions.low_income_earned_income.amount.SINGLE` -- Generated label: "West Virginia low-income earned income exclusion low-income earned income exclusion limit (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 312. `gov.states.wv.tax.income.credits.liftc.fpg_percent` - -**Label:** West Virginia low-income family tax credit MAGI limit - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.wv.tax.income.credits.liftc.fpg_percent.SINGLE` -- Generated label: "West Virginia low-income family tax credit MAGI limit (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 313. `gov.states.ri.tax.income.agi.subtractions.tuition_saving_program_contributions.cap` - -**Label:** Rhode Island tuition saving program contribution deduction cap - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.ri.tax.income.agi.subtractions.tuition_saving_program_contributions.cap.SINGLE` -- Generated label: "Rhode Island tuition saving program contribution deduction cap (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 314. `gov.states.ri.tax.income.agi.subtractions.taxable_retirement_income.income_limit` - -**Label:** Rhode Island taxable retirement income subtraction income limit - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.ri.tax.income.agi.subtractions.taxable_retirement_income.income_limit.JOINT` -- Generated label: "Rhode Island taxable retirement income subtraction income limit (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 315. `gov.states.ri.tax.income.agi.subtractions.social_security.limit.income` - -**Label:** Rhode Island social security subtraction income limit - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.ri.tax.income.agi.subtractions.social_security.limit.income.JOINT` -- Generated label: "Rhode Island social security subtraction income limit (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 316. `gov.states.ri.tax.income.deductions.standard.amount` - -**Label:** Rhode Island standard deduction amount - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.ri.tax.income.deductions.standard.amount.SINGLE` -- Generated label: "Rhode Island standard deduction amount (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 317. `gov.states.ri.tax.income.credits.child_tax_rebate.limit.income` - -**Label:** Rhode Island child tax rebate income limit - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.ri.tax.income.credits.child_tax_rebate.limit.income.SINGLE` -- Generated label: "Rhode Island child tax rebate income limit (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 318. `gov.states.nc.tax.income.deductions.standard.amount` - -**Label:** North Carolina standard deduction amount - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.nc.tax.income.deductions.standard.amount.SINGLE` -- Generated label: "North Carolina standard deduction amount (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 319. `gov.states.nm.tax.income.rebates.property_tax.max_amount` - -**Label:** New Mexico property tax rebate max amount - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.nm.tax.income.rebates.property_tax.max_amount.JOINT` -- Generated label: "New Mexico property tax rebate max amount (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 320. `gov.states.nm.tax.income.rebates.2021_income.supplemental.amount` - -**Label:** New Mexico supplemental 2021 income tax rebate amount - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.nm.tax.income.rebates.2021_income.supplemental.amount.JOINT` -- Generated label: "New Mexico supplemental 2021 income tax rebate amount (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 321. `gov.states.nm.tax.income.rebates.2021_income.additional.amount` - -**Label:** New Mexico additional 2021 income tax rebate amount - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.nm.tax.income.rebates.2021_income.additional.amount.JOINT` -- Generated label: "New Mexico additional 2021 income tax rebate amount (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 322. `gov.states.nm.tax.income.rebates.2021_income.main.income_limit` - -**Label:** New Mexico main 2021 income tax rebate income limit - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.nm.tax.income.rebates.2021_income.main.income_limit.JOINT` -- Generated label: "New Mexico main 2021 income tax rebate income limit (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 323. `gov.states.nm.tax.income.rebates.2021_income.main.amount` - -**Label:** New Mexico main 2021 income tax rebate amount - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.nm.tax.income.rebates.2021_income.main.amount.JOINT` -- Generated label: "New Mexico main 2021 income tax rebate amount (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 324. `gov.states.nm.tax.income.deductions.certain_dependents.amount` - -**Label:** New Mexico deduction for certain dependents - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.nm.tax.income.deductions.certain_dependents.amount.JOINT` -- Generated label: "New Mexico deduction for certain dependents (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 325. `gov.states.nm.tax.income.exemptions.low_and_middle_income.income_limit` - -**Label:** New Mexico low- and middle-income exemption income limit - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.nm.tax.income.exemptions.low_and_middle_income.income_limit.JOINT` -- Generated label: "New Mexico low- and middle-income exemption income limit (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 326. `gov.states.nm.tax.income.exemptions.low_and_middle_income.reduction.income_threshold` - -**Label:** New Mexico low- and middle-income exemption reduction threshold - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.nm.tax.income.exemptions.low_and_middle_income.reduction.income_threshold.JOINT` -- Generated label: "New Mexico low- and middle-income exemption reduction threshold (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 327. `gov.states.nm.tax.income.exemptions.low_and_middle_income.reduction.rate` - -**Label:** New Mexico low- and middle-income exemption reduction rate - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.nm.tax.income.exemptions.low_and_middle_income.reduction.rate.JOINT` -- Generated label: "New Mexico low- and middle-income exemption reduction rate (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 328. `gov.states.nm.tax.income.exemptions.social_security_income.income_limit` - -**Label:** New Mexico social security income exemption income limit - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.nm.tax.income.exemptions.social_security_income.income_limit.JOINT` -- Generated label: "New Mexico social security income exemption income limit (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 329. `gov.states.nj.tax.income.filing_threshold` - -**Label:** NJ filing threshold - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.nj.tax.income.filing_threshold.SINGLE` -- Generated label: "NJ filing threshold (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 330. `gov.states.nj.tax.income.exclusions.retirement.max_amount` - -**Label:** New Jersey pension/retirement maximum exclusion amount - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.nj.tax.income.exclusions.retirement.max_amount.SINGLE` -- Generated label: "New Jersey pension/retirement maximum exclusion amount (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 331. `gov.states.nj.tax.income.exclusions.retirement.special_exclusion.amount` - -**Label:** NJ other retirement income special exclusion. - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.nj.tax.income.exclusions.retirement.special_exclusion.amount.SINGLE` -- Generated label: "NJ other retirement income special exclusion. (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 332. `gov.states.nj.tax.income.exemptions.regular.amount` - -**Label:** New Jersey Regular Exemption - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.nj.tax.income.exemptions.regular.amount.SINGLE` -- Generated label: "New Jersey Regular Exemption (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 333. `gov.states.nj.tax.income.credits.property_tax.income_limit` - -**Label:** New Jersey property tax credit income limit - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.nj.tax.income.credits.property_tax.income_limit.SINGLE` -- Generated label: "New Jersey property tax credit income limit (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 334. `gov.states.me.tax.income.deductions.phase_out.width` - -**Label:** Maine standard/itemized deduction phase-out width - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.me.tax.income.deductions.phase_out.width.SINGLE` -- Generated label: "Maine standard/itemized deduction phase-out width (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 335. `gov.states.me.tax.income.deductions.phase_out.start` - -**Label:** Maine standard/itemized exemption phase-out start - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.me.tax.income.deductions.phase_out.start.SINGLE` -- Generated label: "Maine standard/itemized exemption phase-out start (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 336. `gov.states.me.tax.income.deductions.personal_exemption.phaseout.width` - -**Label:** Maine personal exemption phase-out width - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.me.tax.income.deductions.personal_exemption.phaseout.width.SINGLE` -- Generated label: "Maine personal exemption phase-out width (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 337. `gov.states.me.tax.income.deductions.personal_exemption.phaseout.start` - -**Label:** Maine personal exemption phase-out start - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.me.tax.income.deductions.personal_exemption.phaseout.start.SINGLE` -- Generated label: "Maine personal exemption phase-out start (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 338. `gov.states.me.tax.income.credits.relief_rebate.income_limit` - -**Label:** Maine Relief Rebate income limit - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.me.tax.income.credits.relief_rebate.income_limit.SINGLE` -- Generated label: "Maine Relief Rebate income limit (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 339. `gov.states.me.tax.income.credits.fairness.sales_tax.amount.base` - -**Label:** Maine sales tax fairness credit base amount - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.me.tax.income.credits.fairness.sales_tax.amount.base.SINGLE` -- Generated label: "Maine sales tax fairness credit base amount (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 340. `gov.states.me.tax.income.credits.fairness.sales_tax.reduction.increment` - -**Label:** Maine sales tax fairness credit phase-out increment - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.me.tax.income.credits.fairness.sales_tax.reduction.increment.SINGLE` -- Generated label: "Maine sales tax fairness credit phase-out increment (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 341. `gov.states.me.tax.income.credits.fairness.sales_tax.reduction.amount` - -**Label:** Maine sales tax fairness credit phase-out amount - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.me.tax.income.credits.fairness.sales_tax.reduction.amount.SINGLE` -- Generated label: "Maine sales tax fairness credit phase-out amount (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 342. `gov.states.me.tax.income.credits.fairness.sales_tax.reduction.start` - -**Label:** Maine sales tax fairness credit phase-out start - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.me.tax.income.credits.fairness.sales_tax.reduction.start.SINGLE` -- Generated label: "Maine sales tax fairness credit phase-out start (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 343. `gov.states.me.tax.income.credits.dependent_exemption.phase_out.start` - -**Label:** Maine dependents exemption phase-out start - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.me.tax.income.credits.dependent_exemption.phase_out.start.SINGLE` -- Generated label: "Maine dependents exemption phase-out start (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 344. `gov.states.ar.tax.income.deductions.standard` - -**Label:** Arkansas standard deduction - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.ar.tax.income.deductions.standard.JOINT` -- Generated label: "Arkansas standard deduction (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 345. `gov.states.ar.tax.income.gross_income.capital_gains.loss_cap` - -**Label:** Arkansas long-term capital gains tax loss cap - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.ar.tax.income.gross_income.capital_gains.loss_cap.JOINT` -- Generated label: "Arkansas long-term capital gains tax loss cap (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 346. `gov.states.ar.tax.income.credits.inflationary_relief.max_amount` - -**Label:** Arkansas income-tax credit maximum amount - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.ar.tax.income.credits.inflationary_relief.max_amount.JOINT` -- Generated label: "Arkansas income-tax credit maximum amount (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 347. `gov.states.ar.tax.income.credits.inflationary_relief.reduction.increment` - -**Label:** Arkansas income reduction increment - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.ar.tax.income.credits.inflationary_relief.reduction.increment.JOINT` -- Generated label: "Arkansas income reduction increment (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 348. `gov.states.ar.tax.income.credits.inflationary_relief.reduction.amount` - -**Label:** Arkansas inflation relief credit reduction amount - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.ar.tax.income.credits.inflationary_relief.reduction.amount.JOINT` -- Generated label: "Arkansas inflation relief credit reduction amount (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 349. `gov.states.ar.tax.income.credits.inflationary_relief.reduction.start` - -**Label:** Arkansas inflation reduction credit reduction start - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.ar.tax.income.credits.inflationary_relief.reduction.start.JOINT` -- Generated label: "Arkansas inflation reduction credit reduction start (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 350. `gov.states.dc.tax.income.deductions.itemized.phase_out.start` - -**Label:** DC itemized deduction phase-out DC AGI start - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.dc.tax.income.deductions.itemized.phase_out.start.SINGLE` -- Generated label: "DC itemized deduction phase-out DC AGI start (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 351. `gov.states.dc.tax.income.credits.kccatc.income_limit` - -**Label:** DC KCCATC DC taxable income limit - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.dc.tax.income.credits.kccatc.income_limit.SINGLE` -- Generated label: "DC KCCATC DC taxable income limit (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 352. `gov.states.dc.tax.income.credits.ctc.income_threshold` - -**Label:** DC Child Tax Credit taxable income threshold - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.dc.tax.income.credits.ctc.income_threshold.SINGLE` -- Generated label: "DC Child Tax Credit taxable income threshold (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 353. `gov.states.md.tax.income.deductions.itemized.phase_out.threshold` - -**Label:** Maryland itemized deduction phase-out threshold - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.md.tax.income.deductions.itemized.phase_out.threshold.SINGLE` -- Generated label: "Maryland itemized deduction phase-out threshold (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 354. `gov.states.md.tax.income.deductions.standard.max` - -**Label:** Maryland maximum standard deduction - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.md.tax.income.deductions.standard.max.JOINT` -- Generated label: "Maryland maximum standard deduction (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 355. `gov.states.md.tax.income.deductions.standard.min` - -**Label:** Maryland minimum standard deduction - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.md.tax.income.deductions.standard.min.JOINT` -- Generated label: "Maryland minimum standard deduction (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 356. `gov.states.md.tax.income.deductions.standard.flat_deduction.amount` - -**Label:** Maryland standard deduction flat amount - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.md.tax.income.deductions.standard.flat_deduction.amount.JOINT` -- Generated label: "Maryland standard deduction flat amount (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 357. `gov.states.md.tax.income.credits.cdcc.phase_out.increment` - -**Label:** Maryland CDCC phase-out increment - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.md.tax.income.credits.cdcc.phase_out.increment.JOINT` -- Generated label: "Maryland CDCC phase-out increment (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 358. `gov.states.md.tax.income.credits.cdcc.phase_out.start` - -**Label:** Maryland CDCC phase-out start - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.md.tax.income.credits.cdcc.phase_out.start.JOINT` -- Generated label: "Maryland CDCC phase-out start (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 359. `gov.states.md.tax.income.credits.cdcc.eligibility.agi_cap` - -**Label:** Maryland CDCC AGI cap - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.md.tax.income.credits.cdcc.eligibility.agi_cap.JOINT` -- Generated label: "Maryland CDCC AGI cap (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 360. `gov.states.md.tax.income.credits.cdcc.eligibility.refundable_agi_cap` - -**Label:** Maryland refundable CDCC AGI cap - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.md.tax.income.credits.cdcc.eligibility.refundable_agi_cap.JOINT` -- Generated label: "Maryland refundable CDCC AGI cap (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 361. `gov.states.md.tax.income.credits.senior_tax.income_threshold` - -**Label:** Maryland Senior Tax Credit income threshold - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.md.tax.income.credits.senior_tax.income_threshold.JOINT` -- Generated label: "Maryland Senior Tax Credit income threshold (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 362. `gov.states.ks.tax.income.rates.zero_tax_threshold` - -**Label:** KS zero-tax taxable-income threshold - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.ks.tax.income.rates.zero_tax_threshold.JOINT` -- Generated label: "KS zero-tax taxable-income threshold (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 363. `gov.states.ks.tax.income.deductions.standard.extra_amount` - -**Label:** Kansas extra standard deduction for elderly and blind - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.ks.tax.income.deductions.standard.extra_amount.JOINT` -- Generated label: "Kansas extra standard deduction for elderly and blind (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 364. `gov.states.ks.tax.income.deductions.standard.base_amount` - -**Label:** Kansas base standard deduction - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.ks.tax.income.deductions.standard.base_amount.JOINT` -- Generated label: "Kansas base standard deduction (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 365. `gov.states.ne.tax.income.agi.subtractions.social_security.threshold` - -**Label:** Nebraska social security AGI subtraction threshold - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.ne.tax.income.agi.subtractions.social_security.threshold.JOINT` -- Generated label: "Nebraska social security AGI subtraction threshold (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 366. `gov.states.ne.tax.income.deductions.standard.base_amount` - -**Label:** Nebraska standard deduction base amount - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.ne.tax.income.deductions.standard.base_amount.JOINT` -- Generated label: "Nebraska standard deduction base amount (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 367. `gov.states.ne.tax.income.credits.school_readiness.amount.refundable` - -**Label:** Nebraska School Readiness credit refundable amount - -**Breakdown dimensions:** `['range(1, 6)']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `range(1, 6)` → **Raw numeric index (NO semantic label)** - -**Example - Current label generation:** -- Parameter: `gov.states.ne.tax.income.credits.school_readiness.amount.refundable.1` -- Generated label: "Nebraska School Readiness credit refundable amount (1)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ['[NEEDS: label for range(1, 6)]']` - ---- - -### 368. `gov.states.hi.tax.income.deductions.itemized.threshold.deductions` - -**Label:** Hawaii itemized deductions deductions threshold - -**Breakdown dimensions:** `filing_status` - -**Child parameters:** 5 - -**Dimension analysis:** -- `f` → Variable/enum lookup (may or may not have labels) -- `i` → Variable/enum lookup (may or may not have labels) -- `l` → Variable/enum lookup (may or may not have labels) -- `i` → Variable/enum lookup (may or may not have labels) -- `n` → Variable/enum lookup (may or may not have labels) -- `g` → Variable/enum lookup (may or may not have labels) -- `_` → Variable/enum lookup (may or may not have labels) -- `s` → Variable/enum lookup (may or may not have labels) -- `t` → Variable/enum lookup (may or may not have labels) -- `a` → Variable/enum lookup (may or may not have labels) -- `t` → Variable/enum lookup (may or may not have labels) -- `u` → Variable/enum lookup (may or may not have labels) -- `s` → Variable/enum lookup (may or may not have labels) - -**Example - Current label generation:** -- Parameter: `gov.states.hi.tax.income.deductions.itemized.threshold.deductions.SINGLE` -- Generated label: "Hawaii itemized deductions deductions threshold (SINGLE)" - -**Suggested improvement:** -- ℹ️ Uses custom enum variables - verify they have display labels -- Consider adding `breakdown_labels` for clarity - ---- - -### 369. `gov.states.hi.tax.income.deductions.itemized.threshold.reduction` - -**Label:** Hawaii itemized deductions reduction threshold - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.hi.tax.income.deductions.itemized.threshold.reduction.SINGLE` -- Generated label: "Hawaii itemized deductions reduction threshold (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 370. `gov.states.hi.tax.income.deductions.standard.amount` - -**Label:** Hawaii standard deduction amount - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.hi.tax.income.deductions.standard.amount.JOINT` -- Generated label: "Hawaii standard deduction amount (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 371. `gov.states.de.tax.income.subtractions.exclusions.elderly_or_disabled.eligibility.agi_limit` - -**Label:** Delaware aged or disabled exclusion subtraction adjusted gross income limit - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.de.tax.income.subtractions.exclusions.elderly_or_disabled.eligibility.agi_limit.JOINT` -- Generated label: "Delaware aged or disabled exclusion subtraction adjusted gross income limit (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 372. `gov.states.de.tax.income.subtractions.exclusions.elderly_or_disabled.eligibility.earned_income_limit` - -**Label:** Delaware aged or disabled exclusion earned income limit - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.de.tax.income.subtractions.exclusions.elderly_or_disabled.eligibility.earned_income_limit.JOINT` -- Generated label: "Delaware aged or disabled exclusion earned income limit (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 373. `gov.states.de.tax.income.subtractions.exclusions.elderly_or_disabled.amount` - -**Label:** Delaware aged or disabled exclusion amount - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.de.tax.income.subtractions.exclusions.elderly_or_disabled.amount.JOINT` -- Generated label: "Delaware aged or disabled exclusion amount (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 374. `gov.states.de.tax.income.deductions.standard.amount` - -**Label:** Delaware Standard Deduction - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.de.tax.income.deductions.standard.amount.JOINT` -- Generated label: "Delaware Standard Deduction (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 375. `gov.states.az.tax.income.credits.charitable_contribution.ceiling.qualifying_organization` - -**Label:** Arizona charitable contribution credit cap - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.az.tax.income.credits.charitable_contribution.ceiling.qualifying_organization.JOINT` -- Generated label: "Arizona charitable contribution credit cap (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 376. `gov.states.az.tax.income.credits.charitable_contribution.ceiling.qualifying_foster` - -**Label:** Arizona credit for contributions to foster organizations cap - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.az.tax.income.credits.charitable_contribution.ceiling.qualifying_foster.JOINT` -- Generated label: "Arizona credit for contributions to foster organizations cap (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 377. `gov.states.az.tax.income.credits.dependent_credit.reduction.start` - -**Label:** Arizona dependent tax credit phase out start - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.az.tax.income.credits.dependent_credit.reduction.start.SINGLE` -- Generated label: "Arizona dependent tax credit phase out start (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 378. `gov.states.az.tax.income.credits.increased_excise.income_threshold` - -**Label:** Arizona Increased Excise Tax Credit income threshold - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.az.tax.income.credits.increased_excise.income_threshold.SINGLE` -- Generated label: "Arizona Increased Excise Tax Credit income threshold (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 379. `gov.states.az.tax.income.credits.family_tax_credits.amount.cap` - -**Label:** Arizona family tax credit maximum amount - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.az.tax.income.credits.family_tax_credits.amount.cap.SINGLE` -- Generated label: "Arizona family tax credit maximum amount (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 380. `gov.states.ny.tax.income.deductions.standard.amount` - -**Label:** New York standard deduction - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.ny.tax.income.deductions.standard.amount.SINGLE` -- Generated label: "New York standard deduction (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 381. `gov.states.ny.tax.income.credits.ctc.post_2024.phase_out.threshold` - -**Label:** New York CTC post 2024 phase-out thresholds - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.ny.tax.income.credits.ctc.post_2024.phase_out.threshold.SINGLE` -- Generated label: "New York CTC post 2024 phase-out thresholds (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 382. `gov.states.id.tax.income.deductions.retirement_benefits.cap` - -**Label:** Idaho retirement benefit deduction cap - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.id.tax.income.deductions.retirement_benefits.cap.SINGLE` -- Generated label: "Idaho retirement benefit deduction cap (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 383. `gov.states.id.tax.income.credits.special_seasonal_rebate.floor` - -**Label:** Idaho special seasonal rebate floor - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.id.tax.income.credits.special_seasonal_rebate.floor.SINGLE` -- Generated label: "Idaho special seasonal rebate floor (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 384. `gov.states.or.tax.income.deductions.standard.aged_or_blind.amount` - -**Label:** Oregon standard deduction addition for 65 or older or blind - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.or.tax.income.deductions.standard.aged_or_blind.amount.JOINT` -- Generated label: "Oregon standard deduction addition for 65 or older or blind (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 385. `gov.states.or.tax.income.deductions.standard.amount` - -**Label:** Oregon standard deduction - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.or.tax.income.deductions.standard.amount.JOINT` -- Generated label: "Oregon standard deduction (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 386. `gov.states.or.tax.income.credits.exemption.income_limit.regular` - -**Label:** Oregon exemption credit income limit (regular) - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.or.tax.income.credits.exemption.income_limit.regular.JOINT` -- Generated label: "Oregon exemption credit income limit (regular) (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 387. `gov.states.or.tax.income.credits.retirement_income.income_threshold` - -**Label:** Oregon retirement income credit income threshold - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.or.tax.income.credits.retirement_income.income_threshold.JOINT` -- Generated label: "Oregon retirement income credit income threshold (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 388. `gov.states.or.tax.income.credits.retirement_income.base` - -**Label:** Oregon retirement income credit base - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.or.tax.income.credits.retirement_income.base.JOINT` -- Generated label: "Oregon retirement income credit base (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 389. `gov.states.la.tax.income.deductions.standard.amount` - -**Label:** Louisiana standard deduction amount - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.la.tax.income.deductions.standard.amount.SINGLE` -- Generated label: "Louisiana standard deduction amount (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 390. `gov.states.la.tax.income.exemptions.personal` - -**Label:** Louisiana personal exemption amount - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.la.tax.income.exemptions.personal.SINGLE` -- Generated label: "Louisiana personal exemption amount (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 391. `gov.states.wi.tax.income.subtractions.retirement_income.max_agi` - -**Label:** Wisconsin retirement income subtraction maximum adjusted gross income - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.states.wi.tax.income.subtractions.retirement_income.max_agi.SINGLE` -- Generated label: "Wisconsin retirement income subtraction maximum adjusted gross income (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 392. `gov.states.wi.dcf.works.placement.amount` - -**Label:** Wisconsin Works payment amount - -**Breakdown dimensions:** `['wi_works_placement']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `wi_works_placement` → Variable/enum lookup (may or may not have labels) - -**Example - Current label generation:** -- Parameter: `gov.states.wi.dcf.works.placement.amount.CSJ` -- Generated label: "Wisconsin Works payment amount (CSJ)" - -**Suggested improvement:** -- ℹ️ Uses custom enum variables - verify they have display labels -- Consider adding `breakdown_labels` for clarity - ---- - -### 393. `gov.irs.deductions.overtime_income.phase_out.start` - -**Label:** Overtime income exemption phase out start - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.irs.deductions.overtime_income.phase_out.start.JOINT` -- Generated label: "Overtime income exemption phase out start (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 394. `gov.irs.deductions.overtime_income.cap` - -**Label:** Overtime income exemption cap - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.irs.deductions.overtime_income.cap.JOINT` -- Generated label: "Overtime income exemption cap (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 395. `gov.irs.deductions.qbi.phase_out.start` - -**Label:** Qualified business income deduction phase-out start - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.irs.deductions.qbi.phase_out.start.HEAD_OF_HOUSEHOLD` -- Generated label: "Qualified business income deduction phase-out start (HEAD_OF_HOUSEHOLD)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 396. `gov.irs.deductions.itemized.limitation.applicable_amount` - -**Label:** Itemized deductions applicable amount - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.irs.deductions.itemized.limitation.applicable_amount.JOINT` -- Generated label: "Itemized deductions applicable amount (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 397. `gov.irs.deductions.itemized.interest.mortgage.cap` - -**Label:** IRS home mortgage value cap - -**Breakdown dimensions:** `filing_status` - -**Child parameters:** 5 - -**Dimension analysis:** -- `f` → Variable/enum lookup (may or may not have labels) -- `i` → Variable/enum lookup (may or may not have labels) -- `l` → Variable/enum lookup (may or may not have labels) -- `i` → Variable/enum lookup (may or may not have labels) -- `n` → Variable/enum lookup (may or may not have labels) -- `g` → Variable/enum lookup (may or may not have labels) -- `_` → Variable/enum lookup (may or may not have labels) -- `s` → Variable/enum lookup (may or may not have labels) -- `t` → Variable/enum lookup (may or may not have labels) -- `a` → Variable/enum lookup (may or may not have labels) -- `t` → Variable/enum lookup (may or may not have labels) -- `u` → Variable/enum lookup (may or may not have labels) -- `s` → Variable/enum lookup (may or may not have labels) - -**Example - Current label generation:** -- Parameter: `gov.irs.deductions.itemized.interest.mortgage.cap.SINGLE` -- Generated label: "IRS home mortgage value cap (SINGLE)" - -**Suggested improvement:** -- ℹ️ Uses custom enum variables - verify they have display labels -- Consider adding `breakdown_labels` for clarity - ---- - -### 398. `gov.irs.deductions.itemized.reduction.agi_threshold` - -**Label:** IRS itemized deductions reduction threshold - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.irs.deductions.itemized.reduction.agi_threshold.SINGLE` -- Generated label: "IRS itemized deductions reduction threshold (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 399. `gov.irs.deductions.itemized.salt_and_real_estate.phase_out.threshold` - -**Label:** SALT deduction phase out threshold - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.irs.deductions.itemized.salt_and_real_estate.phase_out.threshold.SINGLE` -- Generated label: "SALT deduction phase out threshold (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 400. `gov.irs.deductions.itemized.salt_and_real_estate.phase_out.floor.amount` - -**Label:** SALT deduction floor amount - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.irs.deductions.itemized.salt_and_real_estate.phase_out.floor.amount.SINGLE` -- Generated label: "SALT deduction floor amount (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 401. `gov.irs.deductions.itemized.charity.non_itemizers_amount` - -**Label:** Charitable deduction amount for non-itemizers - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.irs.deductions.itemized.charity.non_itemizers_amount.JOINT` -- Generated label: "Charitable deduction amount for non-itemizers (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 402. `gov.irs.deductions.standard.aged_or_blind.amount` - -**Label:** Additional standard deduction for the blind and aged - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.irs.deductions.standard.aged_or_blind.amount.SINGLE` -- Generated label: "Additional standard deduction for the blind and aged (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 403. `gov.irs.deductions.standard.amount` - -**Label:** Standard deduction - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.irs.deductions.standard.amount.SINGLE` -- Generated label: "Standard deduction (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 404. `gov.irs.deductions.auto_loan_interest.phase_out.start` - -**Label:** Auto loan interest deduction reduction start - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.irs.deductions.auto_loan_interest.phase_out.start.SINGLE` -- Generated label: "Auto loan interest deduction reduction start (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 405. `gov.irs.deductions.tip_income.phase_out.start` - -**Label:** Tip income exemption phase out start - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.irs.deductions.tip_income.phase_out.start.JOINT` -- Generated label: "Tip income exemption phase out start (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 406. `gov.irs.income.amt.multiplier` - -**Label:** AMT tax bracket multiplier - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.irs.income.amt.multiplier.SINGLE` -- Generated label: "AMT tax bracket multiplier (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 407. `gov.irs.gross_income.dependent_care_assistance_programs.reduction_amount` - -**Label:** IRS reduction amount from gross income for dependent care assistance - -**Breakdown dimensions:** `filing_status` - -**Child parameters:** 5 - -**Dimension analysis:** -- `f` → Variable/enum lookup (may or may not have labels) -- `i` → Variable/enum lookup (may or may not have labels) -- `l` → Variable/enum lookup (may or may not have labels) -- `i` → Variable/enum lookup (may or may not have labels) -- `n` → Variable/enum lookup (may or may not have labels) -- `g` → Variable/enum lookup (may or may not have labels) -- `_` → Variable/enum lookup (may or may not have labels) -- `s` → Variable/enum lookup (may or may not have labels) -- `t` → Variable/enum lookup (may or may not have labels) -- `a` → Variable/enum lookup (may or may not have labels) -- `t` → Variable/enum lookup (may or may not have labels) -- `u` → Variable/enum lookup (may or may not have labels) -- `s` → Variable/enum lookup (may or may not have labels) - -**Example - Current label generation:** -- Parameter: `gov.irs.gross_income.dependent_care_assistance_programs.reduction_amount.SINGLE` -- Generated label: "IRS reduction amount from gross income for dependent care assistance (SINGLE)" - -**Suggested improvement:** -- ℹ️ Uses custom enum variables - verify they have display labels -- Consider adding `breakdown_labels` for clarity - ---- - -### 408. `gov.irs.ald.loss.capital.max` - -**Label:** Maximum capital loss deductible above-the-line - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.irs.ald.loss.capital.max.SINGLE` -- Generated label: "Maximum capital loss deductible above-the-line (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 409. `gov.irs.ald.student_loan_interest.reduction.divisor` - -**Label:** Student loan interest deduction reduction divisor - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.irs.ald.student_loan_interest.reduction.divisor.JOINT` -- Generated label: "Student loan interest deduction reduction divisor (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 410. `gov.irs.ald.student_loan_interest.reduction.start` - -**Label:** Student loan interest deduction amount - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.irs.ald.student_loan_interest.reduction.start.JOINT` -- Generated label: "Student loan interest deduction amount (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 411. `gov.irs.ald.student_loan_interest.cap` - -**Label:** Student loan interest deduction cap - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.irs.ald.student_loan_interest.cap.JOINT` -- Generated label: "Student loan interest deduction cap (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 412. `gov.irs.social_security.taxability.threshold.adjusted_base.main` - -**Label:** Social Security taxability additional threshold - -**Breakdown dimensions:** `filing_status` - -**Child parameters:** 5 - -**Dimension analysis:** -- `f` → Variable/enum lookup (may or may not have labels) -- `i` → Variable/enum lookup (may or may not have labels) -- `l` → Variable/enum lookup (may or may not have labels) -- `i` → Variable/enum lookup (may or may not have labels) -- `n` → Variable/enum lookup (may or may not have labels) -- `g` → Variable/enum lookup (may or may not have labels) -- `_` → Variable/enum lookup (may or may not have labels) -- `s` → Variable/enum lookup (may or may not have labels) -- `t` → Variable/enum lookup (may or may not have labels) -- `a` → Variable/enum lookup (may or may not have labels) -- `t` → Variable/enum lookup (may or may not have labels) -- `u` → Variable/enum lookup (may or may not have labels) -- `s` → Variable/enum lookup (may or may not have labels) - -**Example - Current label generation:** -- Parameter: `gov.irs.social_security.taxability.threshold.adjusted_base.main.SINGLE` -- Generated label: "Social Security taxability additional threshold (SINGLE)" - -**Suggested improvement:** -- ℹ️ Uses custom enum variables - verify they have display labels -- Consider adding `breakdown_labels` for clarity - ---- - -### 413. `gov.irs.social_security.taxability.threshold.base.main` - -**Label:** Social Security taxability base threshold - -**Breakdown dimensions:** `filing_status` - -**Child parameters:** 5 - -**Dimension analysis:** -- `f` → Variable/enum lookup (may or may not have labels) -- `i` → Variable/enum lookup (may or may not have labels) -- `l` → Variable/enum lookup (may or may not have labels) -- `i` → Variable/enum lookup (may or may not have labels) -- `n` → Variable/enum lookup (may or may not have labels) -- `g` → Variable/enum lookup (may or may not have labels) -- `_` → Variable/enum lookup (may or may not have labels) -- `s` → Variable/enum lookup (may or may not have labels) -- `t` → Variable/enum lookup (may or may not have labels) -- `a` → Variable/enum lookup (may or may not have labels) -- `t` → Variable/enum lookup (may or may not have labels) -- `u` → Variable/enum lookup (may or may not have labels) -- `s` → Variable/enum lookup (may or may not have labels) - -**Example - Current label generation:** -- Parameter: `gov.irs.social_security.taxability.threshold.base.main.SINGLE` -- Generated label: "Social Security taxability base threshold (SINGLE)" - -**Suggested improvement:** -- ℹ️ Uses custom enum variables - verify they have display labels -- Consider adding `breakdown_labels` for clarity - ---- - -### 414. `gov.irs.credits.recovery_rebate_credit.caa.phase_out.threshold` - -**Label:** Second Recovery Rebate Credit phase-out starting threshold - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.irs.credits.recovery_rebate_credit.caa.phase_out.threshold.SINGLE` -- Generated label: "Second Recovery Rebate Credit phase-out starting threshold (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 415. `gov.irs.credits.recovery_rebate_credit.arpa.phase_out.threshold` - -**Label:** ARPA Recovery Rebate Credit phase-out starting threshold - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.irs.credits.recovery_rebate_credit.arpa.phase_out.threshold.SINGLE` -- Generated label: "ARPA Recovery Rebate Credit phase-out starting threshold (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 416. `gov.irs.credits.recovery_rebate_credit.arpa.phase_out.length` - -**Label:** ARPA Recovery Rebate Credit phase-out length - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.irs.credits.recovery_rebate_credit.arpa.phase_out.length.SINGLE` -- Generated label: "ARPA Recovery Rebate Credit phase-out length (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 417. `gov.irs.credits.recovery_rebate_credit.cares.phase_out.threshold` - -**Label:** CARES Recovery Rebate Credit phase-out starting threshold - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.irs.credits.recovery_rebate_credit.cares.phase_out.threshold.SINGLE` -- Generated label: "CARES Recovery Rebate Credit phase-out starting threshold (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 418. `gov.irs.credits.retirement_saving.rate.threshold_adjustment` - -**Label:** Retirement Savings Contributions Credit (Saver's Credit) threshold adjustment rate - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.irs.credits.retirement_saving.rate.threshold_adjustment.JOINT` -- Generated label: "Retirement Savings Contributions Credit (Saver's Credit) threshold adjustment rate (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 419. `gov.irs.credits.clean_vehicle.new.eligibility.income_limit` - -**Label:** Income limit for new clean vehicle credit - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.irs.credits.clean_vehicle.new.eligibility.income_limit.JOINT` -- Generated label: "Income limit for new clean vehicle credit (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 420. `gov.irs.credits.clean_vehicle.used.eligibility.income_limit` - -**Label:** Income limit for used clean vehicle credit - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.irs.credits.clean_vehicle.used.eligibility.income_limit.JOINT` -- Generated label: "Income limit for used clean vehicle credit (JOINT)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 421. `gov.irs.credits.ctc.phase_out.threshold` - -**Label:** CTC phase-out threshold - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.irs.credits.ctc.phase_out.threshold.SINGLE` -- Generated label: "CTC phase-out threshold (SINGLE)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 422. `gov.irs.credits.cdcc.phase_out.amended_structure.second_start` - -**Label:** CDCC amended phase-out second start - -**Breakdown dimensions:** `['filing_status']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `filing_status` → Enum lookup (Single, Joint, etc.) - -**Example - Current label generation:** -- Parameter: `gov.irs.credits.cdcc.phase_out.amended_structure.second_start.HEAD_OF_HOUSEHOLD` -- Generated label: "CDCC amended phase-out second start (HEAD_OF_HOUSEHOLD)" - -**Suggested improvement:** -- ✓ Uses standard enums with known labels - current generation adequate - ---- - -### 423. `gov.hud.ami_limit.per_person_exceeding_4` - -**Label:** HUD area median income limit per person exceeding 4 - -**Breakdown dimensions:** `['hud_income_level']` - -**Child parameters:** 5 - -**Dimension analysis:** -- `hud_income_level` → Variable/enum lookup (may or may not have labels) - -**Example - Current label generation:** -- Parameter: `gov.hud.ami_limit.per_person_exceeding_4.MODERATE` -- Generated label: "HUD area median income limit per person exceeding 4 (MODERATE)" - -**Suggested improvement:** -- ℹ️ Uses custom enum variables - verify they have display labels -- Consider adding `breakdown_labels` for clarity - ---- - -### 424. `gov.ed.pell_grant.sai.fpg_fraction.max_pell_limits` - -**Label:** Maximum Pell Grant income limits - -**Breakdown dimensions:** `['pell_grant_household_type']` - -**Child parameters:** 4 - -**Dimension analysis:** -- `pell_grant_household_type` → Variable/enum lookup (may or may not have labels) - -**Example - Current label generation:** -- Parameter: `gov.ed.pell_grant.sai.fpg_fraction.max_pell_limits.DEPENDENT_SINGLE` -- Generated label: "Maximum Pell Grant income limits (DEPENDENT_SINGLE)" - -**Suggested improvement:** -- ℹ️ Uses custom enum variables - verify they have display labels -- Consider adding `breakdown_labels` for clarity - ---- - -### 425. `gov.states.az.tax.income.subtractions.college_savings.cap` - -**Label:** Arizona college savings plan subtraction cap - -**Breakdown dimensions:** `['az_filing_status']` - -**Child parameters:** 4 - -**Dimension analysis:** -- `az_filing_status` → Variable/enum lookup (may or may not have labels) - -**Example - Current label generation:** -- Parameter: `gov.states.az.tax.income.subtractions.college_savings.cap.SINGLE` -- Generated label: "Arizona college savings plan subtraction cap (SINGLE)" - -**Suggested improvement:** -- ℹ️ Uses custom enum variables - verify they have display labels -- Consider adding `breakdown_labels` for clarity - ---- - -### 426. `gov.states.az.tax.income.deductions.standard.amount` - -**Label:** Arizona standard deduction - -**Breakdown dimensions:** `['az_filing_status']` - -**Child parameters:** 4 - -**Dimension analysis:** -- `az_filing_status` → Variable/enum lookup (may or may not have labels) - -**Example - Current label generation:** -- Parameter: `gov.states.az.tax.income.deductions.standard.amount.JOINT` -- Generated label: "Arizona standard deduction (JOINT)" - -**Suggested improvement:** -- ℹ️ Uses custom enum variables - verify they have display labels -- Consider adding `breakdown_labels` for clarity - ---- - -### 427. `gov.irs.credits.clean_vehicle.new.eligibility.msrp_limit` - -**Label:** MSRP limit for new clean vehicle credit - -**Breakdown dimensions:** `['new_clean_vehicle_classification']` - -**Child parameters:** 4 - -**Dimension analysis:** -- `new_clean_vehicle_classification` → Variable/enum lookup (may or may not have labels) - -**Example - Current label generation:** -- Parameter: `gov.irs.credits.clean_vehicle.new.eligibility.msrp_limit.VAN` -- Generated label: "MSRP limit for new clean vehicle credit (VAN)" - -**Suggested improvement:** -- ℹ️ Uses custom enum variables - verify they have display labels -- Consider adding `breakdown_labels` for clarity - ---- - -### 428. `gov.states.ma.eec.ccfa.reimbursement_rates.family_child_care.younger` - -**Label:** Massachusetts CCFA family child care younger child reimbursement rates - -**Breakdown dimensions:** `['ma_ccfa_region']` - -**Child parameters:** 3 - -**Dimension analysis:** -- `ma_ccfa_region` → Variable/enum lookup (may or may not have labels) - -**Example - Current label generation:** -- Parameter: `gov.states.ma.eec.ccfa.reimbursement_rates.family_child_care.younger.WESTERN_CENTRAL_AND_SOUTHEAST` -- Generated label: "Massachusetts CCFA family child care younger child reimbursement rates (WESTERN_CENTRAL_AND_SOUTHEAST)" - -**Suggested improvement:** -- ℹ️ Uses custom enum variables - verify they have display labels -- Consider adding `breakdown_labels` for clarity - ---- - -### 429. `gov.states.ma.eec.ccfa.reimbursement_rates.family_child_care.older` - -**Label:** Massachusetts CCFA family child care older child reimbursement rates - -**Breakdown dimensions:** `['ma_ccfa_region']` - -**Child parameters:** 3 - -**Dimension analysis:** -- `ma_ccfa_region` → Variable/enum lookup (may or may not have labels) - -**Example - Current label generation:** -- Parameter: `gov.states.ma.eec.ccfa.reimbursement_rates.family_child_care.older.WESTERN_CENTRAL_AND_SOUTHEAST` -- Generated label: "Massachusetts CCFA family child care older child reimbursement rates (WESTERN_CENTRAL_AND_SOUTHEAST)" - -**Suggested improvement:** -- ℹ️ Uses custom enum variables - verify they have display labels -- Consider adding `breakdown_labels` for clarity - ---- - -### 430. `gov.states.md.tax.income.credits.senior_tax.amount.joint` - -**Label:** Maryland Senior Tax Credit joint amount - -**Breakdown dimensions:** `['range(0,2)']` - -**Child parameters:** 3 - -**Dimension analysis:** -- `range(0,2)` → **Raw numeric index (NO semantic label)** - -**Example - Current label generation:** -- Parameter: `gov.states.md.tax.income.credits.senior_tax.amount.joint.1` -- Generated label: "Maryland Senior Tax Credit joint amount (1)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ['[NEEDS: label for range(0,2)]']` - ---- - -### 431. `gov.states.il.idoa.bap.income_limit` - -**Label:** Illinois Benefit Access Program income limit - -**Breakdown dimensions:** `['range(1, 4)']` - -**Child parameters:** 3 - -**Dimension analysis:** -- `range(1, 4)` → **Raw numeric index (NO semantic label)** - -**Example - Current label generation:** -- Parameter: `gov.states.il.idoa.bap.income_limit.1` -- Generated label: "Illinois Benefit Access Program income limit (1)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ['[NEEDS: label for range(1, 4)]']` - ---- - -### 432. `gov.states.il.dhs.aabd.asset.disregard.base` - -**Label:** Illinois AABD asset disregard base amount - -**Breakdown dimensions:** `['range(1,3)']` - -**Child parameters:** 2 - -**Dimension analysis:** -- `range(1,3)` → **Raw numeric index (NO semantic label)** - -**Example - Current label generation:** -- Parameter: `gov.states.il.dhs.aabd.asset.disregard.base.1` -- Generated label: "Illinois AABD asset disregard base amount (1)" - -**Suggested improvement:** -- ⚠️ Has `range()` dimensions that need semantic labels -- Add `breakdown_labels` metadata with human-readable names -- Suggested: `breakdown_labels: ['[NEEDS: label for range(1,3)]']` - ---- diff --git a/US_PARAMETER_LABEL_ANALYSIS.md b/US_PARAMETER_LABEL_ANALYSIS.md deleted file mode 100644 index 7670a8f..0000000 --- a/US_PARAMETER_LABEL_ANALYSIS.md +++ /dev/null @@ -1,2390 +0,0 @@ -# US Parameter Label Analysis - -Generated from policyengine.py analysis of policyengine-us parameters. - -## Summary - -| Metric | Count | Percentage | -|--------|-------|------------| -| Total parameters | 53,824 | 100% | -| **With final label** (explicit or generated) | 17,519 | 32.5% | -| **Without final label** | 36,305 | 67.5% | - -## Breakdown by Category - -| Category | Count | Percentage | Description | -|----------|-------|------------|-------------| -| Explicit label | 4,835 | 9.0% | Has label defined in YAML metadata | -| Bracket with scale label | 7,057 | 13.1% | Bracket param where parent scale has label → label generated | -| Bracket without scale label | 68 | 0.1% | Bracket param where parent scale has no label → NO label | -| Breakdown with parent label | 5,627 | 10.5% | Breakdown param where parent has label → label generated | -| Breakdown without parent label | 497 | 0.9% | Breakdown param where parent has no label → NO label | -| **Pseudo-breakdown** | 903 | 1.7% | Looks like breakdown (filing_status/state_code children) but no breakdown metadata | -| Regular without label | 35,740 | 66.4% | Not a bracket or breakdown, no explicit label | - ---- - -## Bracket Without Scale Label (Complete List) - -**68 params across 8 scales** - -These bracket params have no label because their parent ParameterScale has no label. - -### Scale: `gov.irs.credits.education.american_opportunity_credit.amount` - -**6 params** - -- `gov.irs.credits.education.american_opportunity_credit.amount[0].rate` -- `gov.irs.credits.education.american_opportunity_credit.amount[0].threshold` -- `gov.irs.credits.education.american_opportunity_credit.amount[1].rate` -- `gov.irs.credits.education.american_opportunity_credit.amount[1].threshold` -- `gov.irs.credits.education.american_opportunity_credit.amount[2].rate` -- `gov.irs.credits.education.american_opportunity_credit.amount[2].threshold` - -### Scale: `gov.irs.credits.eitc.phase_out.joint_bonus` - -**2 params** - -- `gov.irs.credits.eitc.phase_out.joint_bonus[0].threshold` -- `gov.irs.credits.eitc.phase_out.joint_bonus[1].threshold` - -### Scale: `gov.irs.credits.premium_tax_credit.eligibility` - -**6 params** - -- `gov.irs.credits.premium_tax_credit.eligibility[0].amount` -- `gov.irs.credits.premium_tax_credit.eligibility[0].threshold` -- `gov.irs.credits.premium_tax_credit.eligibility[1].amount` -- `gov.irs.credits.premium_tax_credit.eligibility[1].threshold` -- `gov.irs.credits.premium_tax_credit.eligibility[2].amount` -- `gov.irs.credits.premium_tax_credit.eligibility[2].threshold` - -### Scale: `gov.irs.credits.premium_tax_credit.phase_out.ending_rate` - -**14 params** - -- `gov.irs.credits.premium_tax_credit.phase_out.ending_rate[0].amount` -- `gov.irs.credits.premium_tax_credit.phase_out.ending_rate[0].threshold` -- `gov.irs.credits.premium_tax_credit.phase_out.ending_rate[1].amount` -- `gov.irs.credits.premium_tax_credit.phase_out.ending_rate[1].threshold` -- `gov.irs.credits.premium_tax_credit.phase_out.ending_rate[2].amount` -- `gov.irs.credits.premium_tax_credit.phase_out.ending_rate[2].threshold` -- `gov.irs.credits.premium_tax_credit.phase_out.ending_rate[3].amount` -- `gov.irs.credits.premium_tax_credit.phase_out.ending_rate[3].threshold` -- `gov.irs.credits.premium_tax_credit.phase_out.ending_rate[4].amount` -- `gov.irs.credits.premium_tax_credit.phase_out.ending_rate[4].threshold` -- `gov.irs.credits.premium_tax_credit.phase_out.ending_rate[5].amount` -- `gov.irs.credits.premium_tax_credit.phase_out.ending_rate[5].threshold` -- `gov.irs.credits.premium_tax_credit.phase_out.ending_rate[6].amount` -- `gov.irs.credits.premium_tax_credit.phase_out.ending_rate[6].threshold` - -### Scale: `gov.irs.credits.premium_tax_credit.phase_out.starting_rate` - -**14 params** - -- `gov.irs.credits.premium_tax_credit.phase_out.starting_rate[0].amount` -- `gov.irs.credits.premium_tax_credit.phase_out.starting_rate[0].threshold` -- `gov.irs.credits.premium_tax_credit.phase_out.starting_rate[1].amount` -- `gov.irs.credits.premium_tax_credit.phase_out.starting_rate[1].threshold` -- `gov.irs.credits.premium_tax_credit.phase_out.starting_rate[2].amount` -- `gov.irs.credits.premium_tax_credit.phase_out.starting_rate[2].threshold` -- `gov.irs.credits.premium_tax_credit.phase_out.starting_rate[3].amount` -- `gov.irs.credits.premium_tax_credit.phase_out.starting_rate[3].threshold` -- `gov.irs.credits.premium_tax_credit.phase_out.starting_rate[4].amount` -- `gov.irs.credits.premium_tax_credit.phase_out.starting_rate[4].threshold` -- `gov.irs.credits.premium_tax_credit.phase_out.starting_rate[5].amount` -- `gov.irs.credits.premium_tax_credit.phase_out.starting_rate[5].threshold` -- `gov.irs.credits.premium_tax_credit.phase_out.starting_rate[6].amount` -- `gov.irs.credits.premium_tax_credit.phase_out.starting_rate[6].threshold` - -### Scale: `gov.states.dc.tax.income.credits.ptc.fraction_elderly` - -**4 params** - -- `gov.states.dc.tax.income.credits.ptc.fraction_elderly[0].amount` -- `gov.states.dc.tax.income.credits.ptc.fraction_elderly[0].threshold` -- `gov.states.dc.tax.income.credits.ptc.fraction_elderly[1].amount` -- `gov.states.dc.tax.income.credits.ptc.fraction_elderly[1].threshold` - -### Scale: `gov.states.dc.tax.income.credits.ptc.fraction_nonelderly` - -**8 params** - -- `gov.states.dc.tax.income.credits.ptc.fraction_nonelderly[0].amount` -- `gov.states.dc.tax.income.credits.ptc.fraction_nonelderly[0].threshold` -- `gov.states.dc.tax.income.credits.ptc.fraction_nonelderly[1].amount` -- `gov.states.dc.tax.income.credits.ptc.fraction_nonelderly[1].threshold` -- `gov.states.dc.tax.income.credits.ptc.fraction_nonelderly[2].amount` -- `gov.states.dc.tax.income.credits.ptc.fraction_nonelderly[2].threshold` -- `gov.states.dc.tax.income.credits.ptc.fraction_nonelderly[3].amount` -- `gov.states.dc.tax.income.credits.ptc.fraction_nonelderly[3].threshold` - -### Scale: `gov.states.dc.tax.income.rates` - -**14 params** - -- `gov.states.dc.tax.income.rates[0].rate` -- `gov.states.dc.tax.income.rates[0].threshold` -- `gov.states.dc.tax.income.rates[1].rate` -- `gov.states.dc.tax.income.rates[1].threshold` -- `gov.states.dc.tax.income.rates[2].rate` -- `gov.states.dc.tax.income.rates[2].threshold` -- `gov.states.dc.tax.income.rates[3].rate` -- `gov.states.dc.tax.income.rates[3].threshold` -- `gov.states.dc.tax.income.rates[4].rate` -- `gov.states.dc.tax.income.rates[4].threshold` -- `gov.states.dc.tax.income.rates[5].rate` -- `gov.states.dc.tax.income.rates[5].threshold` -- `gov.states.dc.tax.income.rates[6].rate` -- `gov.states.dc.tax.income.rates[6].threshold` - ---- - -## Breakdown Without Parent Label (Complete List) - -**497 params across 12 parents** - -These breakdown params have no label because their parent node has `breakdown` metadata but no `label`. - -### Parent: `gov.hhs.tanf.non_cash.asset_limit` - -- **Breakdown variable**: `['state_code']` -- **59 params** - -- `gov.hhs.tanf.non_cash.asset_limit.AA` -- `gov.hhs.tanf.non_cash.asset_limit.AE` -- `gov.hhs.tanf.non_cash.asset_limit.AK` -- `gov.hhs.tanf.non_cash.asset_limit.AL` -- `gov.hhs.tanf.non_cash.asset_limit.AP` -- `gov.hhs.tanf.non_cash.asset_limit.AR` -- `gov.hhs.tanf.non_cash.asset_limit.AZ` -- `gov.hhs.tanf.non_cash.asset_limit.CA` -- `gov.hhs.tanf.non_cash.asset_limit.CO` -- `gov.hhs.tanf.non_cash.asset_limit.CT` -- `gov.hhs.tanf.non_cash.asset_limit.DC` -- `gov.hhs.tanf.non_cash.asset_limit.DE` -- `gov.hhs.tanf.non_cash.asset_limit.FL` -- `gov.hhs.tanf.non_cash.asset_limit.GA` -- `gov.hhs.tanf.non_cash.asset_limit.GU` -- `gov.hhs.tanf.non_cash.asset_limit.HI` -- `gov.hhs.tanf.non_cash.asset_limit.IA` -- `gov.hhs.tanf.non_cash.asset_limit.ID` -- `gov.hhs.tanf.non_cash.asset_limit.IL` -- `gov.hhs.tanf.non_cash.asset_limit.IN` -- `gov.hhs.tanf.non_cash.asset_limit.KS` -- `gov.hhs.tanf.non_cash.asset_limit.KY` -- `gov.hhs.tanf.non_cash.asset_limit.LA` -- `gov.hhs.tanf.non_cash.asset_limit.MA` -- `gov.hhs.tanf.non_cash.asset_limit.MD` -- `gov.hhs.tanf.non_cash.asset_limit.ME` -- `gov.hhs.tanf.non_cash.asset_limit.MI` -- `gov.hhs.tanf.non_cash.asset_limit.MN` -- `gov.hhs.tanf.non_cash.asset_limit.MO` -- `gov.hhs.tanf.non_cash.asset_limit.MP` -- `gov.hhs.tanf.non_cash.asset_limit.MS` -- `gov.hhs.tanf.non_cash.asset_limit.MT` -- `gov.hhs.tanf.non_cash.asset_limit.NC` -- `gov.hhs.tanf.non_cash.asset_limit.ND` -- `gov.hhs.tanf.non_cash.asset_limit.NE` -- `gov.hhs.tanf.non_cash.asset_limit.NH` -- `gov.hhs.tanf.non_cash.asset_limit.NJ` -- `gov.hhs.tanf.non_cash.asset_limit.NM` -- `gov.hhs.tanf.non_cash.asset_limit.NV` -- `gov.hhs.tanf.non_cash.asset_limit.NY` -- `gov.hhs.tanf.non_cash.asset_limit.OH` -- `gov.hhs.tanf.non_cash.asset_limit.OK` -- `gov.hhs.tanf.non_cash.asset_limit.OR` -- `gov.hhs.tanf.non_cash.asset_limit.PA` -- `gov.hhs.tanf.non_cash.asset_limit.PR` -- `gov.hhs.tanf.non_cash.asset_limit.PW` -- `gov.hhs.tanf.non_cash.asset_limit.RI` -- `gov.hhs.tanf.non_cash.asset_limit.SC` -- `gov.hhs.tanf.non_cash.asset_limit.SD` -- `gov.hhs.tanf.non_cash.asset_limit.TN` -- `gov.hhs.tanf.non_cash.asset_limit.TX` -- `gov.hhs.tanf.non_cash.asset_limit.UT` -- `gov.hhs.tanf.non_cash.asset_limit.VA` -- `gov.hhs.tanf.non_cash.asset_limit.VI` -- `gov.hhs.tanf.non_cash.asset_limit.VT` -- `gov.hhs.tanf.non_cash.asset_limit.WA` -- `gov.hhs.tanf.non_cash.asset_limit.WI` -- `gov.hhs.tanf.non_cash.asset_limit.WV` -- `gov.hhs.tanf.non_cash.asset_limit.WY` - -### Parent: `gov.hhs.tanf.non_cash.income_limit.gross` - -- **Breakdown variable**: `['state_code']` -- **59 params** - -- `gov.hhs.tanf.non_cash.income_limit.gross.AA` -- `gov.hhs.tanf.non_cash.income_limit.gross.AE` -- `gov.hhs.tanf.non_cash.income_limit.gross.AK` -- `gov.hhs.tanf.non_cash.income_limit.gross.AL` -- `gov.hhs.tanf.non_cash.income_limit.gross.AP` -- `gov.hhs.tanf.non_cash.income_limit.gross.AR` -- `gov.hhs.tanf.non_cash.income_limit.gross.AZ` -- `gov.hhs.tanf.non_cash.income_limit.gross.CA` -- `gov.hhs.tanf.non_cash.income_limit.gross.CO` -- `gov.hhs.tanf.non_cash.income_limit.gross.CT` -- `gov.hhs.tanf.non_cash.income_limit.gross.DC` -- `gov.hhs.tanf.non_cash.income_limit.gross.DE` -- `gov.hhs.tanf.non_cash.income_limit.gross.FL` -- `gov.hhs.tanf.non_cash.income_limit.gross.GA` -- `gov.hhs.tanf.non_cash.income_limit.gross.GU` -- `gov.hhs.tanf.non_cash.income_limit.gross.HI` -- `gov.hhs.tanf.non_cash.income_limit.gross.IA` -- `gov.hhs.tanf.non_cash.income_limit.gross.ID` -- `gov.hhs.tanf.non_cash.income_limit.gross.IL` -- `gov.hhs.tanf.non_cash.income_limit.gross.IN` -- `gov.hhs.tanf.non_cash.income_limit.gross.KS` -- `gov.hhs.tanf.non_cash.income_limit.gross.KY` -- `gov.hhs.tanf.non_cash.income_limit.gross.LA` -- `gov.hhs.tanf.non_cash.income_limit.gross.MA` -- `gov.hhs.tanf.non_cash.income_limit.gross.MD` -- `gov.hhs.tanf.non_cash.income_limit.gross.ME` -- `gov.hhs.tanf.non_cash.income_limit.gross.MI` -- `gov.hhs.tanf.non_cash.income_limit.gross.MN` -- `gov.hhs.tanf.non_cash.income_limit.gross.MO` -- `gov.hhs.tanf.non_cash.income_limit.gross.MP` -- `gov.hhs.tanf.non_cash.income_limit.gross.MS` -- `gov.hhs.tanf.non_cash.income_limit.gross.MT` -- `gov.hhs.tanf.non_cash.income_limit.gross.NC` -- `gov.hhs.tanf.non_cash.income_limit.gross.ND` -- `gov.hhs.tanf.non_cash.income_limit.gross.NE` -- `gov.hhs.tanf.non_cash.income_limit.gross.NH` -- `gov.hhs.tanf.non_cash.income_limit.gross.NJ` -- `gov.hhs.tanf.non_cash.income_limit.gross.NM` -- `gov.hhs.tanf.non_cash.income_limit.gross.NV` -- `gov.hhs.tanf.non_cash.income_limit.gross.NY` -- `gov.hhs.tanf.non_cash.income_limit.gross.OH` -- `gov.hhs.tanf.non_cash.income_limit.gross.OK` -- `gov.hhs.tanf.non_cash.income_limit.gross.OR` -- `gov.hhs.tanf.non_cash.income_limit.gross.PA` -- `gov.hhs.tanf.non_cash.income_limit.gross.PR` -- `gov.hhs.tanf.non_cash.income_limit.gross.PW` -- `gov.hhs.tanf.non_cash.income_limit.gross.RI` -- `gov.hhs.tanf.non_cash.income_limit.gross.SC` -- `gov.hhs.tanf.non_cash.income_limit.gross.SD` -- `gov.hhs.tanf.non_cash.income_limit.gross.TN` -- `gov.hhs.tanf.non_cash.income_limit.gross.TX` -- `gov.hhs.tanf.non_cash.income_limit.gross.UT` -- `gov.hhs.tanf.non_cash.income_limit.gross.VA` -- `gov.hhs.tanf.non_cash.income_limit.gross.VI` -- `gov.hhs.tanf.non_cash.income_limit.gross.VT` -- `gov.hhs.tanf.non_cash.income_limit.gross.WA` -- `gov.hhs.tanf.non_cash.income_limit.gross.WI` -- `gov.hhs.tanf.non_cash.income_limit.gross.WV` -- `gov.hhs.tanf.non_cash.income_limit.gross.WY` - -### Parent: `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod` - -- **Breakdown variable**: `['state_code']` -- **59 params** - -- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.AA` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.AE` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.AK` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.AL` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.AP` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.AR` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.AZ` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.CA` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.CO` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.CT` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.DC` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.DE` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.FL` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.GA` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.GU` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.HI` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.IA` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.ID` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.IL` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.IN` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.KS` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.KY` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.LA` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.MA` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.MD` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.ME` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.MI` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.MN` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.MO` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.MP` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.MS` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.MT` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.NC` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.ND` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.NE` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.NH` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.NJ` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.NM` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.NV` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.NY` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.OH` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.OK` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.OR` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.PA` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.PR` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.PW` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.RI` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.SC` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.SD` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.TN` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.TX` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.UT` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.VA` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.VI` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.VT` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.WA` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.WI` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.WV` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.hheod.WY` - -### Parent: `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod` - -- **Breakdown variable**: `['state_code']` -- **59 params** - -- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.AA` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.AE` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.AK` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.AL` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.AP` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.AR` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.AZ` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.CA` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.CO` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.CT` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.DC` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.DE` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.FL` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.GA` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.GU` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.HI` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.IA` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.ID` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.IL` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.IN` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.KS` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.KY` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.LA` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.MA` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.MD` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.ME` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.MI` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.MN` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.MO` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.MP` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.MS` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.MT` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.NC` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.ND` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.NE` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.NH` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.NJ` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.NM` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.NV` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.NY` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.OH` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.OK` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.OR` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.PA` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.PR` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.PW` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.RI` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.SC` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.SD` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.TN` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.TX` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.UT` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.VA` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.VI` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.VT` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.WA` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.WI` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.WV` -- `gov.hhs.tanf.non_cash.income_limit.net_applies.non_hheod.WY` - -### Parent: `gov.hhs.tanf.non_cash.requires_all_for_hheod` - -- **Breakdown variable**: `['state_code']` -- **59 params** - -- `gov.hhs.tanf.non_cash.requires_all_for_hheod.AA` -- `gov.hhs.tanf.non_cash.requires_all_for_hheod.AE` -- `gov.hhs.tanf.non_cash.requires_all_for_hheod.AK` -- `gov.hhs.tanf.non_cash.requires_all_for_hheod.AL` -- `gov.hhs.tanf.non_cash.requires_all_for_hheod.AP` -- `gov.hhs.tanf.non_cash.requires_all_for_hheod.AR` -- `gov.hhs.tanf.non_cash.requires_all_for_hheod.AZ` -- `gov.hhs.tanf.non_cash.requires_all_for_hheod.CA` -- `gov.hhs.tanf.non_cash.requires_all_for_hheod.CO` -- `gov.hhs.tanf.non_cash.requires_all_for_hheod.CT` -- `gov.hhs.tanf.non_cash.requires_all_for_hheod.DC` -- `gov.hhs.tanf.non_cash.requires_all_for_hheod.DE` -- `gov.hhs.tanf.non_cash.requires_all_for_hheod.FL` -- `gov.hhs.tanf.non_cash.requires_all_for_hheod.GA` -- `gov.hhs.tanf.non_cash.requires_all_for_hheod.GU` -- `gov.hhs.tanf.non_cash.requires_all_for_hheod.HI` -- `gov.hhs.tanf.non_cash.requires_all_for_hheod.IA` -- `gov.hhs.tanf.non_cash.requires_all_for_hheod.ID` -- `gov.hhs.tanf.non_cash.requires_all_for_hheod.IL` -- `gov.hhs.tanf.non_cash.requires_all_for_hheod.IN` -- `gov.hhs.tanf.non_cash.requires_all_for_hheod.KS` -- `gov.hhs.tanf.non_cash.requires_all_for_hheod.KY` -- `gov.hhs.tanf.non_cash.requires_all_for_hheod.LA` -- `gov.hhs.tanf.non_cash.requires_all_for_hheod.MA` -- `gov.hhs.tanf.non_cash.requires_all_for_hheod.MD` -- `gov.hhs.tanf.non_cash.requires_all_for_hheod.ME` -- `gov.hhs.tanf.non_cash.requires_all_for_hheod.MI` -- `gov.hhs.tanf.non_cash.requires_all_for_hheod.MN` -- `gov.hhs.tanf.non_cash.requires_all_for_hheod.MO` -- `gov.hhs.tanf.non_cash.requires_all_for_hheod.MP` -- `gov.hhs.tanf.non_cash.requires_all_for_hheod.MS` -- `gov.hhs.tanf.non_cash.requires_all_for_hheod.MT` -- `gov.hhs.tanf.non_cash.requires_all_for_hheod.NC` -- `gov.hhs.tanf.non_cash.requires_all_for_hheod.ND` -- `gov.hhs.tanf.non_cash.requires_all_for_hheod.NE` -- `gov.hhs.tanf.non_cash.requires_all_for_hheod.NH` -- `gov.hhs.tanf.non_cash.requires_all_for_hheod.NJ` -- `gov.hhs.tanf.non_cash.requires_all_for_hheod.NM` -- `gov.hhs.tanf.non_cash.requires_all_for_hheod.NV` -- `gov.hhs.tanf.non_cash.requires_all_for_hheod.NY` -- `gov.hhs.tanf.non_cash.requires_all_for_hheod.OH` -- `gov.hhs.tanf.non_cash.requires_all_for_hheod.OK` -- `gov.hhs.tanf.non_cash.requires_all_for_hheod.OR` -- `gov.hhs.tanf.non_cash.requires_all_for_hheod.PA` -- `gov.hhs.tanf.non_cash.requires_all_for_hheod.PR` -- `gov.hhs.tanf.non_cash.requires_all_for_hheod.PW` -- `gov.hhs.tanf.non_cash.requires_all_for_hheod.RI` -- `gov.hhs.tanf.non_cash.requires_all_for_hheod.SC` -- `gov.hhs.tanf.non_cash.requires_all_for_hheod.SD` -- `gov.hhs.tanf.non_cash.requires_all_for_hheod.TN` -- `gov.hhs.tanf.non_cash.requires_all_for_hheod.TX` -- `gov.hhs.tanf.non_cash.requires_all_for_hheod.UT` -- `gov.hhs.tanf.non_cash.requires_all_for_hheod.VA` -- `gov.hhs.tanf.non_cash.requires_all_for_hheod.VI` -- `gov.hhs.tanf.non_cash.requires_all_for_hheod.VT` -- `gov.hhs.tanf.non_cash.requires_all_for_hheod.WA` -- `gov.hhs.tanf.non_cash.requires_all_for_hheod.WI` -- `gov.hhs.tanf.non_cash.requires_all_for_hheod.WV` -- `gov.hhs.tanf.non_cash.requires_all_for_hheod.WY` - -### Parent: `gov.states.md.tanf.maximum_benefit.main` - -- **Breakdown variable**: `['range(1, 9)']` -- **8 params** - -- `gov.states.md.tanf.maximum_benefit.main.1` -- `gov.states.md.tanf.maximum_benefit.main.2` -- `gov.states.md.tanf.maximum_benefit.main.3` -- `gov.states.md.tanf.maximum_benefit.main.4` -- `gov.states.md.tanf.maximum_benefit.main.5` -- `gov.states.md.tanf.maximum_benefit.main.6` -- `gov.states.md.tanf.maximum_benefit.main.7` -- `gov.states.md.tanf.maximum_benefit.main.8` - -### Parent: `gov.states.wi.tax.income.deductions.standard.max` - -- **Breakdown variable**: `['filing_status']` -- **5 params** - -- `gov.states.wi.tax.income.deductions.standard.max.HEAD_OF_HOUSEHOLD` -- `gov.states.wi.tax.income.deductions.standard.max.JOINT` -- `gov.states.wi.tax.income.deductions.standard.max.SEPARATE` -- `gov.states.wi.tax.income.deductions.standard.max.SINGLE` -- `gov.states.wi.tax.income.deductions.standard.max.SURVIVING_SPOUSE` - -### Parent: `gov.states.wi.tax.income.subtractions.unemployment_compensation.income_phase_out.base` - -- **Breakdown variable**: `['filing_status']` -- **5 params** - -- `gov.states.wi.tax.income.subtractions.unemployment_compensation.income_phase_out.base.HEAD_OF_HOUSEHOLD` -- `gov.states.wi.tax.income.subtractions.unemployment_compensation.income_phase_out.base.JOINT` -- `gov.states.wi.tax.income.subtractions.unemployment_compensation.income_phase_out.base.SEPARATE` -- `gov.states.wi.tax.income.subtractions.unemployment_compensation.income_phase_out.base.SINGLE` -- `gov.states.wi.tax.income.subtractions.unemployment_compensation.income_phase_out.base.SURVIVING_SPOUSE` - -### Parent: `gov.usda.snap.income.deductions.excess_medical_expense.standard` - -- **Breakdown variable**: `['state_code']` -- **59 params** - -- `gov.usda.snap.income.deductions.excess_medical_expense.standard.AA` -- `gov.usda.snap.income.deductions.excess_medical_expense.standard.AE` -- `gov.usda.snap.income.deductions.excess_medical_expense.standard.AK` -- `gov.usda.snap.income.deductions.excess_medical_expense.standard.AL` -- `gov.usda.snap.income.deductions.excess_medical_expense.standard.AP` -- `gov.usda.snap.income.deductions.excess_medical_expense.standard.AR` -- `gov.usda.snap.income.deductions.excess_medical_expense.standard.AZ` -- `gov.usda.snap.income.deductions.excess_medical_expense.standard.CA` -- `gov.usda.snap.income.deductions.excess_medical_expense.standard.CO` -- `gov.usda.snap.income.deductions.excess_medical_expense.standard.CT` -- `gov.usda.snap.income.deductions.excess_medical_expense.standard.DC` -- `gov.usda.snap.income.deductions.excess_medical_expense.standard.DE` -- `gov.usda.snap.income.deductions.excess_medical_expense.standard.FL` -- `gov.usda.snap.income.deductions.excess_medical_expense.standard.GA` -- `gov.usda.snap.income.deductions.excess_medical_expense.standard.GU` -- `gov.usda.snap.income.deductions.excess_medical_expense.standard.HI` -- `gov.usda.snap.income.deductions.excess_medical_expense.standard.IA` -- `gov.usda.snap.income.deductions.excess_medical_expense.standard.ID` -- `gov.usda.snap.income.deductions.excess_medical_expense.standard.IL` -- `gov.usda.snap.income.deductions.excess_medical_expense.standard.IN` -- `gov.usda.snap.income.deductions.excess_medical_expense.standard.KS` -- `gov.usda.snap.income.deductions.excess_medical_expense.standard.KY` -- `gov.usda.snap.income.deductions.excess_medical_expense.standard.LA` -- `gov.usda.snap.income.deductions.excess_medical_expense.standard.MA` -- `gov.usda.snap.income.deductions.excess_medical_expense.standard.MD` -- `gov.usda.snap.income.deductions.excess_medical_expense.standard.ME` -- `gov.usda.snap.income.deductions.excess_medical_expense.standard.MI` -- `gov.usda.snap.income.deductions.excess_medical_expense.standard.MN` -- `gov.usda.snap.income.deductions.excess_medical_expense.standard.MO` -- `gov.usda.snap.income.deductions.excess_medical_expense.standard.MP` -- `gov.usda.snap.income.deductions.excess_medical_expense.standard.MS` -- `gov.usda.snap.income.deductions.excess_medical_expense.standard.MT` -- `gov.usda.snap.income.deductions.excess_medical_expense.standard.NC` -- `gov.usda.snap.income.deductions.excess_medical_expense.standard.ND` -- `gov.usda.snap.income.deductions.excess_medical_expense.standard.NE` -- `gov.usda.snap.income.deductions.excess_medical_expense.standard.NH` -- `gov.usda.snap.income.deductions.excess_medical_expense.standard.NJ` -- `gov.usda.snap.income.deductions.excess_medical_expense.standard.NM` -- `gov.usda.snap.income.deductions.excess_medical_expense.standard.NV` -- `gov.usda.snap.income.deductions.excess_medical_expense.standard.NY` -- `gov.usda.snap.income.deductions.excess_medical_expense.standard.OH` -- `gov.usda.snap.income.deductions.excess_medical_expense.standard.OK` -- `gov.usda.snap.income.deductions.excess_medical_expense.standard.OR` -- `gov.usda.snap.income.deductions.excess_medical_expense.standard.PA` -- `gov.usda.snap.income.deductions.excess_medical_expense.standard.PR` -- `gov.usda.snap.income.deductions.excess_medical_expense.standard.PW` -- `gov.usda.snap.income.deductions.excess_medical_expense.standard.RI` -- `gov.usda.snap.income.deductions.excess_medical_expense.standard.SC` -- `gov.usda.snap.income.deductions.excess_medical_expense.standard.SD` -- `gov.usda.snap.income.deductions.excess_medical_expense.standard.TN` -- `gov.usda.snap.income.deductions.excess_medical_expense.standard.TX` -- `gov.usda.snap.income.deductions.excess_medical_expense.standard.UT` -- `gov.usda.snap.income.deductions.excess_medical_expense.standard.VA` -- `gov.usda.snap.income.deductions.excess_medical_expense.standard.VI` -- `gov.usda.snap.income.deductions.excess_medical_expense.standard.VT` -- `gov.usda.snap.income.deductions.excess_medical_expense.standard.WA` -- `gov.usda.snap.income.deductions.excess_medical_expense.standard.WI` -- `gov.usda.snap.income.deductions.excess_medical_expense.standard.WV` -- `gov.usda.snap.income.deductions.excess_medical_expense.standard.WY` - -### Parent: `gov.usda.snap.income.deductions.utility.limited.main` - -- **Breakdown variable**: `['snap_utility_region']` -- **59 params** - -- `gov.usda.snap.income.deductions.utility.limited.main.AA` -- `gov.usda.snap.income.deductions.utility.limited.main.AE` -- `gov.usda.snap.income.deductions.utility.limited.main.AK` -- `gov.usda.snap.income.deductions.utility.limited.main.AL` -- `gov.usda.snap.income.deductions.utility.limited.main.AP` -- `gov.usda.snap.income.deductions.utility.limited.main.AR` -- `gov.usda.snap.income.deductions.utility.limited.main.AZ` -- `gov.usda.snap.income.deductions.utility.limited.main.CA` -- `gov.usda.snap.income.deductions.utility.limited.main.CO` -- `gov.usda.snap.income.deductions.utility.limited.main.CT` -- `gov.usda.snap.income.deductions.utility.limited.main.DC` -- `gov.usda.snap.income.deductions.utility.limited.main.DE` -- `gov.usda.snap.income.deductions.utility.limited.main.FL` -- `gov.usda.snap.income.deductions.utility.limited.main.GA` -- `gov.usda.snap.income.deductions.utility.limited.main.GU` -- `gov.usda.snap.income.deductions.utility.limited.main.HI` -- `gov.usda.snap.income.deductions.utility.limited.main.IA` -- `gov.usda.snap.income.deductions.utility.limited.main.ID` -- `gov.usda.snap.income.deductions.utility.limited.main.IL` -- `gov.usda.snap.income.deductions.utility.limited.main.IN` -- `gov.usda.snap.income.deductions.utility.limited.main.KS` -- `gov.usda.snap.income.deductions.utility.limited.main.KY` -- `gov.usda.snap.income.deductions.utility.limited.main.LA` -- `gov.usda.snap.income.deductions.utility.limited.main.MA` -- `gov.usda.snap.income.deductions.utility.limited.main.MD` -- `gov.usda.snap.income.deductions.utility.limited.main.ME` -- `gov.usda.snap.income.deductions.utility.limited.main.MI` -- `gov.usda.snap.income.deductions.utility.limited.main.MN` -- `gov.usda.snap.income.deductions.utility.limited.main.MO` -- `gov.usda.snap.income.deductions.utility.limited.main.MP` -- `gov.usda.snap.income.deductions.utility.limited.main.MS` -- `gov.usda.snap.income.deductions.utility.limited.main.MT` -- `gov.usda.snap.income.deductions.utility.limited.main.NC` -- `gov.usda.snap.income.deductions.utility.limited.main.ND` -- `gov.usda.snap.income.deductions.utility.limited.main.NE` -- `gov.usda.snap.income.deductions.utility.limited.main.NH` -- `gov.usda.snap.income.deductions.utility.limited.main.NJ` -- `gov.usda.snap.income.deductions.utility.limited.main.NM` -- `gov.usda.snap.income.deductions.utility.limited.main.NV` -- `gov.usda.snap.income.deductions.utility.limited.main.NY` -- `gov.usda.snap.income.deductions.utility.limited.main.OH` -- `gov.usda.snap.income.deductions.utility.limited.main.OK` -- `gov.usda.snap.income.deductions.utility.limited.main.OR` -- `gov.usda.snap.income.deductions.utility.limited.main.PA` -- `gov.usda.snap.income.deductions.utility.limited.main.PR` -- `gov.usda.snap.income.deductions.utility.limited.main.PW` -- `gov.usda.snap.income.deductions.utility.limited.main.RI` -- `gov.usda.snap.income.deductions.utility.limited.main.SC` -- `gov.usda.snap.income.deductions.utility.limited.main.SD` -- `gov.usda.snap.income.deductions.utility.limited.main.TN` -- `gov.usda.snap.income.deductions.utility.limited.main.TX` -- `gov.usda.snap.income.deductions.utility.limited.main.UT` -- `gov.usda.snap.income.deductions.utility.limited.main.VA` -- `gov.usda.snap.income.deductions.utility.limited.main.VI` -- `gov.usda.snap.income.deductions.utility.limited.main.VT` -- `gov.usda.snap.income.deductions.utility.limited.main.WA` -- `gov.usda.snap.income.deductions.utility.limited.main.WI` -- `gov.usda.snap.income.deductions.utility.limited.main.WV` -- `gov.usda.snap.income.deductions.utility.limited.main.WY` - -### Parent: `gov.usda.snap.max_allotment.additional` - -- **Breakdown variable**: `['snap_region']` -- **7 params** - -- `gov.usda.snap.max_allotment.additional.AK_RURAL_1` -- `gov.usda.snap.max_allotment.additional.AK_RURAL_2` -- `gov.usda.snap.max_allotment.additional.AK_URBAN` -- `gov.usda.snap.max_allotment.additional.CONTIGUOUS_US` -- `gov.usda.snap.max_allotment.additional.GU` -- `gov.usda.snap.max_allotment.additional.HI` -- `gov.usda.snap.max_allotment.additional.VI` - -### Parent: `openfisca.completed_programs.state` - -- **Breakdown variable**: `['state_code']` -- **59 params** - -- `openfisca.completed_programs.state.AA` -- `openfisca.completed_programs.state.AE` -- `openfisca.completed_programs.state.AK` -- `openfisca.completed_programs.state.AL` -- `openfisca.completed_programs.state.AP` -- `openfisca.completed_programs.state.AR` -- `openfisca.completed_programs.state.AZ` -- `openfisca.completed_programs.state.CA` -- `openfisca.completed_programs.state.CO` -- `openfisca.completed_programs.state.CT` -- `openfisca.completed_programs.state.DC` -- `openfisca.completed_programs.state.DE` -- `openfisca.completed_programs.state.FL` -- `openfisca.completed_programs.state.GA` -- `openfisca.completed_programs.state.GU` -- `openfisca.completed_programs.state.HI` -- `openfisca.completed_programs.state.IA` -- `openfisca.completed_programs.state.ID` -- `openfisca.completed_programs.state.IL` -- `openfisca.completed_programs.state.IN` -- `openfisca.completed_programs.state.KS` -- `openfisca.completed_programs.state.KY` -- `openfisca.completed_programs.state.LA` -- `openfisca.completed_programs.state.MA` -- `openfisca.completed_programs.state.MD` -- `openfisca.completed_programs.state.ME` -- `openfisca.completed_programs.state.MI` -- `openfisca.completed_programs.state.MN` -- `openfisca.completed_programs.state.MO` -- `openfisca.completed_programs.state.MP` -- `openfisca.completed_programs.state.MS` -- `openfisca.completed_programs.state.MT` -- `openfisca.completed_programs.state.NC` -- `openfisca.completed_programs.state.ND` -- `openfisca.completed_programs.state.NE` -- `openfisca.completed_programs.state.NH` -- `openfisca.completed_programs.state.NJ` -- `openfisca.completed_programs.state.NM` -- `openfisca.completed_programs.state.NV` -- `openfisca.completed_programs.state.NY` -- `openfisca.completed_programs.state.OH` -- `openfisca.completed_programs.state.OK` -- `openfisca.completed_programs.state.OR` -- `openfisca.completed_programs.state.PA` -- `openfisca.completed_programs.state.PR` -- `openfisca.completed_programs.state.PW` -- `openfisca.completed_programs.state.RI` -- `openfisca.completed_programs.state.SC` -- `openfisca.completed_programs.state.SD` -- `openfisca.completed_programs.state.TN` -- `openfisca.completed_programs.state.TX` -- `openfisca.completed_programs.state.UT` -- `openfisca.completed_programs.state.VA` -- `openfisca.completed_programs.state.VI` -- `openfisca.completed_programs.state.VT` -- `openfisca.completed_programs.state.WA` -- `openfisca.completed_programs.state.WI` -- `openfisca.completed_programs.state.WV` -- `openfisca.completed_programs.state.WY` - ---- - -## Pseudo-Breakdown Params (Complete List) - -**903 params across 61 parents** - -These params have children that look like breakdown values (filing_status or state_code enum values) but the parent node does NOT have `breakdown` metadata set. Adding `breakdown` metadata to these parents would allow automatic label generation. - -### Parent: `calibration.gov.census.populations.by_state` - -- **Expected breakdown type**: `state_code` -- **Parent has label**: False -- **51 params** - -- `calibration.gov.census.populations.by_state.AK` -- `calibration.gov.census.populations.by_state.AL` -- `calibration.gov.census.populations.by_state.AR` -- `calibration.gov.census.populations.by_state.AZ` -- `calibration.gov.census.populations.by_state.CA` -- `calibration.gov.census.populations.by_state.CO` -- `calibration.gov.census.populations.by_state.CT` -- `calibration.gov.census.populations.by_state.DC` -- `calibration.gov.census.populations.by_state.DE` -- `calibration.gov.census.populations.by_state.FL` -- `calibration.gov.census.populations.by_state.GA` -- `calibration.gov.census.populations.by_state.HI` -- `calibration.gov.census.populations.by_state.IA` -- `calibration.gov.census.populations.by_state.ID` -- `calibration.gov.census.populations.by_state.IL` -- `calibration.gov.census.populations.by_state.IN` -- `calibration.gov.census.populations.by_state.KS` -- `calibration.gov.census.populations.by_state.KY` -- `calibration.gov.census.populations.by_state.LA` -- `calibration.gov.census.populations.by_state.MA` -- `calibration.gov.census.populations.by_state.MD` -- `calibration.gov.census.populations.by_state.ME` -- `calibration.gov.census.populations.by_state.MI` -- `calibration.gov.census.populations.by_state.MN` -- `calibration.gov.census.populations.by_state.MO` -- `calibration.gov.census.populations.by_state.MS` -- `calibration.gov.census.populations.by_state.MT` -- `calibration.gov.census.populations.by_state.NC` -- `calibration.gov.census.populations.by_state.ND` -- `calibration.gov.census.populations.by_state.NE` -- `calibration.gov.census.populations.by_state.NH` -- `calibration.gov.census.populations.by_state.NJ` -- `calibration.gov.census.populations.by_state.NM` -- `calibration.gov.census.populations.by_state.NV` -- `calibration.gov.census.populations.by_state.NY` -- `calibration.gov.census.populations.by_state.OH` -- `calibration.gov.census.populations.by_state.OK` -- `calibration.gov.census.populations.by_state.OR` -- `calibration.gov.census.populations.by_state.PA` -- `calibration.gov.census.populations.by_state.RI` -- `calibration.gov.census.populations.by_state.SC` -- `calibration.gov.census.populations.by_state.SD` -- `calibration.gov.census.populations.by_state.TN` -- `calibration.gov.census.populations.by_state.TX` -- `calibration.gov.census.populations.by_state.UT` -- `calibration.gov.census.populations.by_state.VA` -- `calibration.gov.census.populations.by_state.VT` -- `calibration.gov.census.populations.by_state.WA` -- `calibration.gov.census.populations.by_state.WI` -- `calibration.gov.census.populations.by_state.WV` -- `calibration.gov.census.populations.by_state.WY` - -### Parent: `calibration.gov.hhs.medicaid.totals.enrollment` - -- **Expected breakdown type**: `state_code` -- **Parent has label**: False -- **51 params** - -- `calibration.gov.hhs.medicaid.totals.enrollment.AK` -- `calibration.gov.hhs.medicaid.totals.enrollment.AL` -- `calibration.gov.hhs.medicaid.totals.enrollment.AR` -- `calibration.gov.hhs.medicaid.totals.enrollment.AZ` -- `calibration.gov.hhs.medicaid.totals.enrollment.CA` -- `calibration.gov.hhs.medicaid.totals.enrollment.CO` -- `calibration.gov.hhs.medicaid.totals.enrollment.CT` -- `calibration.gov.hhs.medicaid.totals.enrollment.DC` -- `calibration.gov.hhs.medicaid.totals.enrollment.DE` -- `calibration.gov.hhs.medicaid.totals.enrollment.FL` -- `calibration.gov.hhs.medicaid.totals.enrollment.GA` -- `calibration.gov.hhs.medicaid.totals.enrollment.HI` -- `calibration.gov.hhs.medicaid.totals.enrollment.IA` -- `calibration.gov.hhs.medicaid.totals.enrollment.ID` -- `calibration.gov.hhs.medicaid.totals.enrollment.IL` -- `calibration.gov.hhs.medicaid.totals.enrollment.IN` -- `calibration.gov.hhs.medicaid.totals.enrollment.KS` -- `calibration.gov.hhs.medicaid.totals.enrollment.KY` -- `calibration.gov.hhs.medicaid.totals.enrollment.LA` -- `calibration.gov.hhs.medicaid.totals.enrollment.MA` -- `calibration.gov.hhs.medicaid.totals.enrollment.MD` -- `calibration.gov.hhs.medicaid.totals.enrollment.ME` -- `calibration.gov.hhs.medicaid.totals.enrollment.MI` -- `calibration.gov.hhs.medicaid.totals.enrollment.MN` -- `calibration.gov.hhs.medicaid.totals.enrollment.MO` -- `calibration.gov.hhs.medicaid.totals.enrollment.MS` -- `calibration.gov.hhs.medicaid.totals.enrollment.MT` -- `calibration.gov.hhs.medicaid.totals.enrollment.NC` -- `calibration.gov.hhs.medicaid.totals.enrollment.ND` -- `calibration.gov.hhs.medicaid.totals.enrollment.NE` -- `calibration.gov.hhs.medicaid.totals.enrollment.NH` -- `calibration.gov.hhs.medicaid.totals.enrollment.NJ` -- `calibration.gov.hhs.medicaid.totals.enrollment.NM` -- `calibration.gov.hhs.medicaid.totals.enrollment.NV` -- `calibration.gov.hhs.medicaid.totals.enrollment.NY` -- `calibration.gov.hhs.medicaid.totals.enrollment.OH` -- `calibration.gov.hhs.medicaid.totals.enrollment.OK` -- `calibration.gov.hhs.medicaid.totals.enrollment.OR` -- `calibration.gov.hhs.medicaid.totals.enrollment.PA` -- `calibration.gov.hhs.medicaid.totals.enrollment.RI` -- `calibration.gov.hhs.medicaid.totals.enrollment.SC` -- `calibration.gov.hhs.medicaid.totals.enrollment.SD` -- `calibration.gov.hhs.medicaid.totals.enrollment.TN` -- `calibration.gov.hhs.medicaid.totals.enrollment.TX` -- `calibration.gov.hhs.medicaid.totals.enrollment.UT` -- `calibration.gov.hhs.medicaid.totals.enrollment.VA` -- `calibration.gov.hhs.medicaid.totals.enrollment.VT` -- `calibration.gov.hhs.medicaid.totals.enrollment.WA` -- `calibration.gov.hhs.medicaid.totals.enrollment.WI` -- `calibration.gov.hhs.medicaid.totals.enrollment.WV` -- `calibration.gov.hhs.medicaid.totals.enrollment.WY` - -### Parent: `calibration.gov.hhs.medicaid.totals.spending` - -- **Expected breakdown type**: `state_code` -- **Parent has label**: False -- **51 params** - -- `calibration.gov.hhs.medicaid.totals.spending.AK` -- `calibration.gov.hhs.medicaid.totals.spending.AL` -- `calibration.gov.hhs.medicaid.totals.spending.AR` -- `calibration.gov.hhs.medicaid.totals.spending.AZ` -- `calibration.gov.hhs.medicaid.totals.spending.CA` -- `calibration.gov.hhs.medicaid.totals.spending.CO` -- `calibration.gov.hhs.medicaid.totals.spending.CT` -- `calibration.gov.hhs.medicaid.totals.spending.DC` -- `calibration.gov.hhs.medicaid.totals.spending.DE` -- `calibration.gov.hhs.medicaid.totals.spending.FL` -- `calibration.gov.hhs.medicaid.totals.spending.GA` -- `calibration.gov.hhs.medicaid.totals.spending.HI` -- `calibration.gov.hhs.medicaid.totals.spending.IA` -- `calibration.gov.hhs.medicaid.totals.spending.ID` -- `calibration.gov.hhs.medicaid.totals.spending.IL` -- `calibration.gov.hhs.medicaid.totals.spending.IN` -- `calibration.gov.hhs.medicaid.totals.spending.KS` -- `calibration.gov.hhs.medicaid.totals.spending.KY` -- `calibration.gov.hhs.medicaid.totals.spending.LA` -- `calibration.gov.hhs.medicaid.totals.spending.MA` -- `calibration.gov.hhs.medicaid.totals.spending.MD` -- `calibration.gov.hhs.medicaid.totals.spending.ME` -- `calibration.gov.hhs.medicaid.totals.spending.MI` -- `calibration.gov.hhs.medicaid.totals.spending.MN` -- `calibration.gov.hhs.medicaid.totals.spending.MO` -- `calibration.gov.hhs.medicaid.totals.spending.MS` -- `calibration.gov.hhs.medicaid.totals.spending.MT` -- `calibration.gov.hhs.medicaid.totals.spending.NC` -- `calibration.gov.hhs.medicaid.totals.spending.ND` -- `calibration.gov.hhs.medicaid.totals.spending.NE` -- `calibration.gov.hhs.medicaid.totals.spending.NH` -- `calibration.gov.hhs.medicaid.totals.spending.NJ` -- `calibration.gov.hhs.medicaid.totals.spending.NM` -- `calibration.gov.hhs.medicaid.totals.spending.NV` -- `calibration.gov.hhs.medicaid.totals.spending.NY` -- `calibration.gov.hhs.medicaid.totals.spending.OH` -- `calibration.gov.hhs.medicaid.totals.spending.OK` -- `calibration.gov.hhs.medicaid.totals.spending.OR` -- `calibration.gov.hhs.medicaid.totals.spending.PA` -- `calibration.gov.hhs.medicaid.totals.spending.RI` -- `calibration.gov.hhs.medicaid.totals.spending.SC` -- `calibration.gov.hhs.medicaid.totals.spending.SD` -- `calibration.gov.hhs.medicaid.totals.spending.TN` -- `calibration.gov.hhs.medicaid.totals.spending.TX` -- `calibration.gov.hhs.medicaid.totals.spending.UT` -- `calibration.gov.hhs.medicaid.totals.spending.VA` -- `calibration.gov.hhs.medicaid.totals.spending.VT` -- `calibration.gov.hhs.medicaid.totals.spending.WA` -- `calibration.gov.hhs.medicaid.totals.spending.WI` -- `calibration.gov.hhs.medicaid.totals.spending.WV` -- `calibration.gov.hhs.medicaid.totals.spending.WY` - -### Parent: `calibration.gov.irs.soi.returns_by_filing_status` - -- **Expected breakdown type**: `filing_status` -- **Parent has label**: True -- **4 params** - -- `calibration.gov.irs.soi.returns_by_filing_status.HEAD_OF_HOUSEHOLD` -- `calibration.gov.irs.soi.returns_by_filing_status.JOINT` -- `calibration.gov.irs.soi.returns_by_filing_status.SEPARATE` -- `calibration.gov.irs.soi.returns_by_filing_status.SINGLE` - -### Parent: `gov.contrib.additional_tax_bracket.bracket.thresholds.1` - -- **Expected breakdown type**: `filing_status` -- **Parent has label**: False -- **5 params** - -- `gov.contrib.additional_tax_bracket.bracket.thresholds.1.HEAD_OF_HOUSEHOLD` -- `gov.contrib.additional_tax_bracket.bracket.thresholds.1.JOINT` -- `gov.contrib.additional_tax_bracket.bracket.thresholds.1.SEPARATE` -- `gov.contrib.additional_tax_bracket.bracket.thresholds.1.SINGLE` -- `gov.contrib.additional_tax_bracket.bracket.thresholds.1.SURVIVING_SPOUSE` - -### Parent: `gov.contrib.additional_tax_bracket.bracket.thresholds.2` - -- **Expected breakdown type**: `filing_status` -- **Parent has label**: False -- **5 params** - -- `gov.contrib.additional_tax_bracket.bracket.thresholds.2.HEAD_OF_HOUSEHOLD` -- `gov.contrib.additional_tax_bracket.bracket.thresholds.2.JOINT` -- `gov.contrib.additional_tax_bracket.bracket.thresholds.2.SEPARATE` -- `gov.contrib.additional_tax_bracket.bracket.thresholds.2.SINGLE` -- `gov.contrib.additional_tax_bracket.bracket.thresholds.2.SURVIVING_SPOUSE` - -### Parent: `gov.contrib.additional_tax_bracket.bracket.thresholds.3` - -- **Expected breakdown type**: `filing_status` -- **Parent has label**: False -- **5 params** - -- `gov.contrib.additional_tax_bracket.bracket.thresholds.3.HEAD_OF_HOUSEHOLD` -- `gov.contrib.additional_tax_bracket.bracket.thresholds.3.JOINT` -- `gov.contrib.additional_tax_bracket.bracket.thresholds.3.SEPARATE` -- `gov.contrib.additional_tax_bracket.bracket.thresholds.3.SINGLE` -- `gov.contrib.additional_tax_bracket.bracket.thresholds.3.SURVIVING_SPOUSE` - -### Parent: `gov.contrib.additional_tax_bracket.bracket.thresholds.4` - -- **Expected breakdown type**: `filing_status` -- **Parent has label**: False -- **5 params** - -- `gov.contrib.additional_tax_bracket.bracket.thresholds.4.HEAD_OF_HOUSEHOLD` -- `gov.contrib.additional_tax_bracket.bracket.thresholds.4.JOINT` -- `gov.contrib.additional_tax_bracket.bracket.thresholds.4.SEPARATE` -- `gov.contrib.additional_tax_bracket.bracket.thresholds.4.SINGLE` -- `gov.contrib.additional_tax_bracket.bracket.thresholds.4.SURVIVING_SPOUSE` - -### Parent: `gov.contrib.additional_tax_bracket.bracket.thresholds.5` - -- **Expected breakdown type**: `filing_status` -- **Parent has label**: False -- **5 params** - -- `gov.contrib.additional_tax_bracket.bracket.thresholds.5.HEAD_OF_HOUSEHOLD` -- `gov.contrib.additional_tax_bracket.bracket.thresholds.5.JOINT` -- `gov.contrib.additional_tax_bracket.bracket.thresholds.5.SEPARATE` -- `gov.contrib.additional_tax_bracket.bracket.thresholds.5.SINGLE` -- `gov.contrib.additional_tax_bracket.bracket.thresholds.5.SURVIVING_SPOUSE` - -### Parent: `gov.contrib.additional_tax_bracket.bracket.thresholds.6` - -- **Expected breakdown type**: `filing_status` -- **Parent has label**: False -- **5 params** - -- `gov.contrib.additional_tax_bracket.bracket.thresholds.6.HEAD_OF_HOUSEHOLD` -- `gov.contrib.additional_tax_bracket.bracket.thresholds.6.JOINT` -- `gov.contrib.additional_tax_bracket.bracket.thresholds.6.SEPARATE` -- `gov.contrib.additional_tax_bracket.bracket.thresholds.6.SINGLE` -- `gov.contrib.additional_tax_bracket.bracket.thresholds.6.SURVIVING_SPOUSE` - -### Parent: `gov.contrib.additional_tax_bracket.bracket.thresholds.7` - -- **Expected breakdown type**: `filing_status` -- **Parent has label**: False -- **5 params** - -- `gov.contrib.additional_tax_bracket.bracket.thresholds.7.HEAD_OF_HOUSEHOLD` -- `gov.contrib.additional_tax_bracket.bracket.thresholds.7.JOINT` -- `gov.contrib.additional_tax_bracket.bracket.thresholds.7.SEPARATE` -- `gov.contrib.additional_tax_bracket.bracket.thresholds.7.SINGLE` -- `gov.contrib.additional_tax_bracket.bracket.thresholds.7.SURVIVING_SPOUSE` - -### Parent: `gov.contrib.additional_tax_bracket.bracket.thresholds.8` - -- **Expected breakdown type**: `filing_status` -- **Parent has label**: False -- **5 params** - -- `gov.contrib.additional_tax_bracket.bracket.thresholds.8.HEAD_OF_HOUSEHOLD` -- `gov.contrib.additional_tax_bracket.bracket.thresholds.8.JOINT` -- `gov.contrib.additional_tax_bracket.bracket.thresholds.8.SEPARATE` -- `gov.contrib.additional_tax_bracket.bracket.thresholds.8.SINGLE` -- `gov.contrib.additional_tax_bracket.bracket.thresholds.8.SURVIVING_SPOUSE` - -### Parent: `gov.contrib.congress.wftca.bonus_guaranteed_deduction.amount` - -- **Expected breakdown type**: `filing_status` -- **Parent has label**: True -- **5 params** - -- `gov.contrib.congress.wftca.bonus_guaranteed_deduction.amount.HEAD_OF_HOUSEHOLD` -- `gov.contrib.congress.wftca.bonus_guaranteed_deduction.amount.JOINT` -- `gov.contrib.congress.wftca.bonus_guaranteed_deduction.amount.SEPARATE` -- `gov.contrib.congress.wftca.bonus_guaranteed_deduction.amount.SINGLE` -- `gov.contrib.congress.wftca.bonus_guaranteed_deduction.amount.SURVIVING_SPOUSE` - -### Parent: `gov.contrib.congress.wftca.bonus_guaranteed_deduction.phase_out.threshold` - -- **Expected breakdown type**: `filing_status` -- **Parent has label**: True -- **5 params** - -- `gov.contrib.congress.wftca.bonus_guaranteed_deduction.phase_out.threshold.HEAD_OF_HOUSEHOLD` -- `gov.contrib.congress.wftca.bonus_guaranteed_deduction.phase_out.threshold.JOINT` -- `gov.contrib.congress.wftca.bonus_guaranteed_deduction.phase_out.threshold.SEPARATE` -- `gov.contrib.congress.wftca.bonus_guaranteed_deduction.phase_out.threshold.SINGLE` -- `gov.contrib.congress.wftca.bonus_guaranteed_deduction.phase_out.threshold.SURVIVING_SPOUSE` - -### Parent: `gov.contrib.harris.capital_gains.thresholds.1` - -- **Expected breakdown type**: `filing_status` -- **Parent has label**: False -- **5 params** - -- `gov.contrib.harris.capital_gains.thresholds.1.HEAD_OF_HOUSEHOLD` -- `gov.contrib.harris.capital_gains.thresholds.1.JOINT` -- `gov.contrib.harris.capital_gains.thresholds.1.SEPARATE` -- `gov.contrib.harris.capital_gains.thresholds.1.SINGLE` -- `gov.contrib.harris.capital_gains.thresholds.1.SURVIVING_SPOUSE` - -### Parent: `gov.contrib.harris.capital_gains.thresholds.2` - -- **Expected breakdown type**: `filing_status` -- **Parent has label**: False -- **5 params** - -- `gov.contrib.harris.capital_gains.thresholds.2.HEAD_OF_HOUSEHOLD` -- `gov.contrib.harris.capital_gains.thresholds.2.JOINT` -- `gov.contrib.harris.capital_gains.thresholds.2.SEPARATE` -- `gov.contrib.harris.capital_gains.thresholds.2.SINGLE` -- `gov.contrib.harris.capital_gains.thresholds.2.SURVIVING_SPOUSE` - -### Parent: `gov.contrib.harris.capital_gains.thresholds.3` - -- **Expected breakdown type**: `filing_status` -- **Parent has label**: False -- **5 params** - -- `gov.contrib.harris.capital_gains.thresholds.3.HEAD_OF_HOUSEHOLD` -- `gov.contrib.harris.capital_gains.thresholds.3.JOINT` -- `gov.contrib.harris.capital_gains.thresholds.3.SEPARATE` -- `gov.contrib.harris.capital_gains.thresholds.3.SINGLE` -- `gov.contrib.harris.capital_gains.thresholds.3.SURVIVING_SPOUSE` - -### Parent: `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child` - -- **Expected breakdown type**: `state_code` -- **Parent has label**: True -- **51 params** - -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.AK` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.AL` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.AR` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.AZ` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.CA` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.CO` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.CT` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.DC` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.DE` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.FL` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.GA` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.HI` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.IA` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.ID` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.IL` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.IN` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.KS` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.KY` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.LA` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.MA` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.MD` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.ME` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.MI` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.MN` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.MO` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.MS` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.MT` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.NC` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.ND` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.NE` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.NH` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.NJ` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.NM` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.NV` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.NY` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.OH` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.OK` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.OR` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.PA` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.RI` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.SC` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.SD` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.TN` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.TX` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.UT` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.VA` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.VT` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.WA` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.WI` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.WV` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.child.child.WY` - -### Parent: `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled` - -- **Expected breakdown type**: `state_code` -- **Parent has label**: True -- **51 params** - -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.AK` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.AL` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.AR` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.AZ` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.CA` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.CO` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.CT` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.DC` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.DE` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.FL` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.GA` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.HI` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.IA` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.ID` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.IL` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.IN` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.KS` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.KY` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.LA` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.MA` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.MD` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.ME` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.MI` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.MN` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.MO` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.MS` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.MT` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.NC` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.ND` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.NE` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.NH` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.NJ` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.NM` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.NV` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.NY` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.OH` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.OK` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.OR` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.PA` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.RI` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.SC` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.SD` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.TN` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.TX` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.UT` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.VA` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.VT` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.WA` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.WI` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.WV` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.disabled.WY` - -### Parent: `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent` - -- **Expected breakdown type**: `state_code` -- **Parent has label**: False -- **51 params** - -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.AK` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.AL` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.AR` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.AZ` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.CA` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.CO` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.CT` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.DC` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.DE` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.FL` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.GA` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.HI` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.IA` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.ID` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.IL` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.IN` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.KS` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.KY` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.LA` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.MA` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.MD` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.ME` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.MI` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.MN` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.MO` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.MS` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.MT` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.NC` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.ND` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.NE` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.NH` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.NJ` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.NM` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.NV` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.NY` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.OH` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.OK` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.OR` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.PA` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.RI` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.SC` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.SD` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.TN` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.TX` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.UT` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.VA` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.VT` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.WA` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.WI` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.WV` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.parent.WY` - -### Parent: `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant` - -- **Expected breakdown type**: `state_code` -- **Parent has label**: True -- **51 params** - -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.AK` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.AL` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.AR` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.AZ` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.CA` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.CO` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.CT` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.DC` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.DE` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.FL` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.GA` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.HI` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.IA` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.ID` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.IL` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.IN` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.KS` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.KY` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.LA` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.MA` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.MD` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.ME` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.MI` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.MN` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.MO` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.MS` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.MT` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.NC` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.ND` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.NE` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.NH` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.NJ` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.NM` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.NV` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.NY` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.OH` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.OK` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.OR` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.PA` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.RI` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.SC` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.SD` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.TN` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.TX` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.UT` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.VA` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.VT` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.WA` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.WI` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.WV` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.pregnant.WY` - -### Parent: `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior` - -- **Expected breakdown type**: `state_code` -- **Parent has label**: True -- **51 params** - -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.AK` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.AL` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.AR` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.AZ` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.CA` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.CO` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.CT` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.DC` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.DE` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.FL` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.GA` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.HI` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.IA` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.ID` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.IL` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.IN` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.KS` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.KY` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.LA` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.MA` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.MD` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.ME` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.MI` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.MN` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.MO` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.MS` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.MT` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.NC` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.ND` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.NE` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.NH` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.NJ` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.NM` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.NV` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.NY` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.OH` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.OK` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.OR` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.PA` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.RI` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.SC` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.SD` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.TN` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.TX` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.UT` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.VA` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.VT` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.WA` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.WI` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.WV` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.categories.senior.WY` - -### Parent: `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple` - -- **Expected breakdown type**: `state_code` -- **Parent has label**: True -- **51 params** - -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.AK` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.AL` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.AR` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.AZ` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.CA` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.CO` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.CT` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.DC` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.DE` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.FL` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.GA` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.HI` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.IA` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.ID` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.IL` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.IN` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.KS` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.KY` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.LA` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.MA` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.MD` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.ME` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.MI` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.MN` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.MO` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.MS` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.MT` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.NC` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.ND` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.NE` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.NH` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.NJ` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.NM` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.NV` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.NY` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.OH` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.OK` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.OR` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.PA` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.RI` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.SC` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.SD` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.TN` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.TX` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.UT` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.VA` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.VT` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.WA` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.WI` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.WV` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.couple.WY` - -### Parent: `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual` - -- **Expected breakdown type**: `state_code` -- **Parent has label**: True -- **51 params** - -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.AK` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.AL` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.AR` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.AZ` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.CA` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.CO` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.CT` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.DC` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.DE` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.FL` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.GA` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.HI` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.IA` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.ID` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.IL` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.IN` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.KS` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.KY` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.LA` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.MA` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.MD` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.ME` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.MI` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.MN` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.MO` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.MS` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.MT` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.NC` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.ND` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.NE` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.NH` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.NJ` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.NM` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.NV` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.NY` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.OH` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.OK` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.OR` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.PA` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.RI` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.SC` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.SD` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.TN` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.TX` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.UT` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.VA` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.VT` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.WA` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.WI` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.WV` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.assets.individual.WY` - -### Parent: `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple` - -- **Expected breakdown type**: `state_code` -- **Parent has label**: True -- **51 params** - -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.AK` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.AL` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.AR` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.AZ` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.CA` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.CO` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.CT` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.DC` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.DE` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.FL` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.GA` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.HI` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.IA` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.ID` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.IL` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.IN` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.KS` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.KY` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.LA` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.MA` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.MD` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.ME` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.MI` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.MN` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.MO` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.MS` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.MT` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.NC` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.ND` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.NE` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.NH` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.NJ` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.NM` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.NV` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.NY` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.OH` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.OK` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.OR` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.PA` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.RI` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.SC` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.SD` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.TN` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.TX` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.UT` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.VA` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.VT` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.WA` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.WI` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.WV` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.couple.WY` - -### Parent: `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual` - -- **Expected breakdown type**: `state_code` -- **Parent has label**: True -- **51 params** - -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.AK` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.AL` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.AR` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.AZ` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.CA` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.CO` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.CT` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.DC` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.DE` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.FL` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.GA` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.HI` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.IA` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.ID` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.IL` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.IN` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.KS` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.KY` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.LA` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.MA` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.MD` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.ME` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.MI` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.MN` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.MO` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.MS` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.MT` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.NC` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.ND` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.NE` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.NH` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.NJ` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.NM` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.NV` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.NY` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.OH` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.OK` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.OR` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.PA` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.RI` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.SC` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.SD` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.TN` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.TX` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.UT` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.VA` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.VT` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.WA` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.WI` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.WV` -- `gov.hhs.medicaid.eligibility.categories.medically_needy.limit.income.individual.WY` - -### Parent: `gov.hhs.smi.amount` - -- **Expected breakdown type**: `state_code` -- **Parent has label**: True -- **52 params** - -- `gov.hhs.smi.amount.AK` -- `gov.hhs.smi.amount.AL` -- `gov.hhs.smi.amount.AR` -- `gov.hhs.smi.amount.AZ` -- `gov.hhs.smi.amount.CA` -- `gov.hhs.smi.amount.CO` -- `gov.hhs.smi.amount.CT` -- `gov.hhs.smi.amount.DC` -- `gov.hhs.smi.amount.DE` -- `gov.hhs.smi.amount.FL` -- `gov.hhs.smi.amount.GA` -- `gov.hhs.smi.amount.HI` -- `gov.hhs.smi.amount.IA` -- `gov.hhs.smi.amount.ID` -- `gov.hhs.smi.amount.IL` -- `gov.hhs.smi.amount.IN` -- `gov.hhs.smi.amount.KS` -- `gov.hhs.smi.amount.KY` -- `gov.hhs.smi.amount.LA` -- `gov.hhs.smi.amount.MA` -- `gov.hhs.smi.amount.MD` -- `gov.hhs.smi.amount.ME` -- `gov.hhs.smi.amount.MI` -- `gov.hhs.smi.amount.MN` -- `gov.hhs.smi.amount.MO` -- `gov.hhs.smi.amount.MS` -- `gov.hhs.smi.amount.MT` -- `gov.hhs.smi.amount.NC` -- `gov.hhs.smi.amount.ND` -- `gov.hhs.smi.amount.NE` -- `gov.hhs.smi.amount.NH` -- `gov.hhs.smi.amount.NJ` -- `gov.hhs.smi.amount.NM` -- `gov.hhs.smi.amount.NV` -- `gov.hhs.smi.amount.NY` -- `gov.hhs.smi.amount.OH` -- `gov.hhs.smi.amount.OK` -- `gov.hhs.smi.amount.OR` -- `gov.hhs.smi.amount.PA` -- `gov.hhs.smi.amount.PR` -- `gov.hhs.smi.amount.RI` -- `gov.hhs.smi.amount.SC` -- `gov.hhs.smi.amount.SD` -- `gov.hhs.smi.amount.TN` -- `gov.hhs.smi.amount.TX` -- `gov.hhs.smi.amount.UT` -- `gov.hhs.smi.amount.VA` -- `gov.hhs.smi.amount.VT` -- `gov.hhs.smi.amount.WA` -- `gov.hhs.smi.amount.WI` -- `gov.hhs.smi.amount.WV` -- `gov.hhs.smi.amount.WY` - -### Parent: `gov.irs.ald.loss.max` - -- **Expected breakdown type**: `filing_status` -- **Parent has label**: True -- **5 params** - -- `gov.irs.ald.loss.max.HEAD_OF_HOUSEHOLD` -- `gov.irs.ald.loss.max.JOINT` -- `gov.irs.ald.loss.max.SEPARATE` -- `gov.irs.ald.loss.max.SINGLE` -- `gov.irs.ald.loss.max.SURVIVING_SPOUSE` - -### Parent: `gov.irs.ald.misc.max_business_losses` - -- **Expected breakdown type**: `filing_status` -- **Parent has label**: False -- **5 params** - -- `gov.irs.ald.misc.max_business_losses.HEAD_OF_HOUSEHOLD` -- `gov.irs.ald.misc.max_business_losses.JOINT` -- `gov.irs.ald.misc.max_business_losses.SEPARATE` -- `gov.irs.ald.misc.max_business_losses.SINGLE` -- `gov.irs.ald.misc.max_business_losses.SURVIVING_SPOUSE` - -### Parent: `gov.irs.capital_gains.loss_limit` - -- **Expected breakdown type**: `filing_status` -- **Parent has label**: False -- **5 params** - -- `gov.irs.capital_gains.loss_limit.HEAD_OF_HOUSEHOLD` -- `gov.irs.capital_gains.loss_limit.JOINT` -- `gov.irs.capital_gains.loss_limit.SEPARATE` -- `gov.irs.capital_gains.loss_limit.SINGLE` -- `gov.irs.capital_gains.loss_limit.SURVIVING_SPOUSE` - -### Parent: `gov.irs.capital_gains.thresholds.1` - -- **Expected breakdown type**: `filing_status` -- **Parent has label**: False -- **5 params** - -- `gov.irs.capital_gains.thresholds.1.HEAD_OF_HOUSEHOLD` -- `gov.irs.capital_gains.thresholds.1.JOINT` -- `gov.irs.capital_gains.thresholds.1.SEPARATE` -- `gov.irs.capital_gains.thresholds.1.SINGLE` -- `gov.irs.capital_gains.thresholds.1.SURVIVING_SPOUSE` - -### Parent: `gov.irs.capital_gains.thresholds.2` - -- **Expected breakdown type**: `filing_status` -- **Parent has label**: False -- **5 params** - -- `gov.irs.capital_gains.thresholds.2.HEAD_OF_HOUSEHOLD` -- `gov.irs.capital_gains.thresholds.2.JOINT` -- `gov.irs.capital_gains.thresholds.2.SEPARATE` -- `gov.irs.capital_gains.thresholds.2.SINGLE` -- `gov.irs.capital_gains.thresholds.2.SURVIVING_SPOUSE` - -### Parent: `gov.irs.credits.cdcc.phase_out.amended_structure.second_increment` - -- **Expected breakdown type**: `filing_status` -- **Parent has label**: True -- **5 params** - -- `gov.irs.credits.cdcc.phase_out.amended_structure.second_increment.HEAD_OF_HOUSEHOLD` -- `gov.irs.credits.cdcc.phase_out.amended_structure.second_increment.JOINT` -- `gov.irs.credits.cdcc.phase_out.amended_structure.second_increment.SEPARATE` -- `gov.irs.credits.cdcc.phase_out.amended_structure.second_increment.SINGLE` -- `gov.irs.credits.cdcc.phase_out.amended_structure.second_increment.SURVIVING_SPOUSE` - -### Parent: `gov.irs.credits.ctc.phase_out.arpa.threshold` - -- **Expected breakdown type**: `filing_status` -- **Parent has label**: True -- **5 params** - -- `gov.irs.credits.ctc.phase_out.arpa.threshold.HEAD_OF_HOUSEHOLD` -- `gov.irs.credits.ctc.phase_out.arpa.threshold.JOINT` -- `gov.irs.credits.ctc.phase_out.arpa.threshold.SEPARATE` -- `gov.irs.credits.ctc.phase_out.arpa.threshold.SINGLE` -- `gov.irs.credits.ctc.phase_out.arpa.threshold.SURVIVING_SPOUSE` - -### Parent: `gov.irs.credits.elderly_or_disabled.phase_out.threshold` - -- **Expected breakdown type**: `filing_status` -- **Parent has label**: False -- **5 params** - -- `gov.irs.credits.elderly_or_disabled.phase_out.threshold.HEAD_OF_HOUSEHOLD` -- `gov.irs.credits.elderly_or_disabled.phase_out.threshold.JOINT` -- `gov.irs.credits.elderly_or_disabled.phase_out.threshold.SEPARATE` -- `gov.irs.credits.elderly_or_disabled.phase_out.threshold.SINGLE` -- `gov.irs.credits.elderly_or_disabled.phase_out.threshold.SURVIVING_SPOUSE` - -### Parent: `gov.irs.deductions.itemized.salt_and_real_estate.cap` - -- **Expected breakdown type**: `filing_status` -- **Parent has label**: True -- **5 params** - -- `gov.irs.deductions.itemized.salt_and_real_estate.cap.HEAD_OF_HOUSEHOLD` -- `gov.irs.deductions.itemized.salt_and_real_estate.cap.JOINT` -- `gov.irs.deductions.itemized.salt_and_real_estate.cap.SEPARATE` -- `gov.irs.deductions.itemized.salt_and_real_estate.cap.SINGLE` -- `gov.irs.deductions.itemized.salt_and_real_estate.cap.SURVIVING_SPOUSE` - -### Parent: `gov.irs.deductions.qbi.phase_out.length` - -- **Expected breakdown type**: `filing_status` -- **Parent has label**: True -- **5 params** - -- `gov.irs.deductions.qbi.phase_out.length.HEAD_OF_HOUSEHOLD` -- `gov.irs.deductions.qbi.phase_out.length.JOINT` -- `gov.irs.deductions.qbi.phase_out.length.SEPARATE` -- `gov.irs.deductions.qbi.phase_out.length.SINGLE` -- `gov.irs.deductions.qbi.phase_out.length.SURVIVING_SPOUSE` - -### Parent: `gov.irs.income.amt.exemption.amount` - -- **Expected breakdown type**: `filing_status` -- **Parent has label**: False -- **5 params** - -- `gov.irs.income.amt.exemption.amount.HEAD_OF_HOUSEHOLD` -- `gov.irs.income.amt.exemption.amount.JOINT` -- `gov.irs.income.amt.exemption.amount.SEPARATE` -- `gov.irs.income.amt.exemption.amount.SINGLE` -- `gov.irs.income.amt.exemption.amount.SURVIVING_SPOUSE` - -### Parent: `gov.irs.income.amt.exemption.phase_out.start` - -- **Expected breakdown type**: `filing_status` -- **Parent has label**: False -- **5 params** - -- `gov.irs.income.amt.exemption.phase_out.start.HEAD_OF_HOUSEHOLD` -- `gov.irs.income.amt.exemption.phase_out.start.JOINT` -- `gov.irs.income.amt.exemption.phase_out.start.SEPARATE` -- `gov.irs.income.amt.exemption.phase_out.start.SINGLE` -- `gov.irs.income.amt.exemption.phase_out.start.SURVIVING_SPOUSE` - -### Parent: `gov.irs.income.bracket.thresholds.1` - -- **Expected breakdown type**: `filing_status` -- **Parent has label**: False -- **5 params** - -- `gov.irs.income.bracket.thresholds.1.HEAD_OF_HOUSEHOLD` -- `gov.irs.income.bracket.thresholds.1.JOINT` -- `gov.irs.income.bracket.thresholds.1.SEPARATE` -- `gov.irs.income.bracket.thresholds.1.SINGLE` -- `gov.irs.income.bracket.thresholds.1.SURVIVING_SPOUSE` - -### Parent: `gov.irs.income.bracket.thresholds.2` - -- **Expected breakdown type**: `filing_status` -- **Parent has label**: False -- **5 params** - -- `gov.irs.income.bracket.thresholds.2.HEAD_OF_HOUSEHOLD` -- `gov.irs.income.bracket.thresholds.2.JOINT` -- `gov.irs.income.bracket.thresholds.2.SEPARATE` -- `gov.irs.income.bracket.thresholds.2.SINGLE` -- `gov.irs.income.bracket.thresholds.2.SURVIVING_SPOUSE` - -### Parent: `gov.irs.income.bracket.thresholds.3` - -- **Expected breakdown type**: `filing_status` -- **Parent has label**: False -- **5 params** - -- `gov.irs.income.bracket.thresholds.3.HEAD_OF_HOUSEHOLD` -- `gov.irs.income.bracket.thresholds.3.JOINT` -- `gov.irs.income.bracket.thresholds.3.SEPARATE` -- `gov.irs.income.bracket.thresholds.3.SINGLE` -- `gov.irs.income.bracket.thresholds.3.SURVIVING_SPOUSE` - -### Parent: `gov.irs.income.bracket.thresholds.4` - -- **Expected breakdown type**: `filing_status` -- **Parent has label**: False -- **5 params** - -- `gov.irs.income.bracket.thresholds.4.HEAD_OF_HOUSEHOLD` -- `gov.irs.income.bracket.thresholds.4.JOINT` -- `gov.irs.income.bracket.thresholds.4.SEPARATE` -- `gov.irs.income.bracket.thresholds.4.SINGLE` -- `gov.irs.income.bracket.thresholds.4.SURVIVING_SPOUSE` - -### Parent: `gov.irs.income.bracket.thresholds.5` - -- **Expected breakdown type**: `filing_status` -- **Parent has label**: False -- **5 params** - -- `gov.irs.income.bracket.thresholds.5.HEAD_OF_HOUSEHOLD` -- `gov.irs.income.bracket.thresholds.5.JOINT` -- `gov.irs.income.bracket.thresholds.5.SEPARATE` -- `gov.irs.income.bracket.thresholds.5.SINGLE` -- `gov.irs.income.bracket.thresholds.5.SURVIVING_SPOUSE` - -### Parent: `gov.irs.income.bracket.thresholds.6` - -- **Expected breakdown type**: `filing_status` -- **Parent has label**: False -- **5 params** - -- `gov.irs.income.bracket.thresholds.6.HEAD_OF_HOUSEHOLD` -- `gov.irs.income.bracket.thresholds.6.JOINT` -- `gov.irs.income.bracket.thresholds.6.SEPARATE` -- `gov.irs.income.bracket.thresholds.6.SINGLE` -- `gov.irs.income.bracket.thresholds.6.SURVIVING_SPOUSE` - -### Parent: `gov.irs.income.bracket.thresholds.7` - -- **Expected breakdown type**: `filing_status` -- **Parent has label**: False -- **5 params** - -- `gov.irs.income.bracket.thresholds.7.HEAD_OF_HOUSEHOLD` -- `gov.irs.income.bracket.thresholds.7.JOINT` -- `gov.irs.income.bracket.thresholds.7.SEPARATE` -- `gov.irs.income.bracket.thresholds.7.SINGLE` -- `gov.irs.income.bracket.thresholds.7.SURVIVING_SPOUSE` - -### Parent: `gov.irs.income.exemption.phase_out.start` - -- **Expected breakdown type**: `filing_status` -- **Parent has label**: False -- **5 params** - -- `gov.irs.income.exemption.phase_out.start.HEAD_OF_HOUSEHOLD` -- `gov.irs.income.exemption.phase_out.start.JOINT` -- `gov.irs.income.exemption.phase_out.start.SEPARATE` -- `gov.irs.income.exemption.phase_out.start.SINGLE` -- `gov.irs.income.exemption.phase_out.start.SURVIVING_SPOUSE` - -### Parent: `gov.irs.income.exemption.phase_out.step_size` - -- **Expected breakdown type**: `filing_status` -- **Parent has label**: False -- **5 params** - -- `gov.irs.income.exemption.phase_out.step_size.HEAD_OF_HOUSEHOLD` -- `gov.irs.income.exemption.phase_out.step_size.JOINT` -- `gov.irs.income.exemption.phase_out.step_size.SEPARATE` -- `gov.irs.income.exemption.phase_out.step_size.SINGLE` -- `gov.irs.income.exemption.phase_out.step_size.SURVIVING_SPOUSE` - -### Parent: `gov.irs.investment.net_investment_income_tax.threshold` - -- **Expected breakdown type**: `filing_status` -- **Parent has label**: False -- **5 params** - -- `gov.irs.investment.net_investment_income_tax.threshold.HEAD_OF_HOUSEHOLD` -- `gov.irs.investment.net_investment_income_tax.threshold.JOINT` -- `gov.irs.investment.net_investment_income_tax.threshold.SEPARATE` -- `gov.irs.investment.net_investment_income_tax.threshold.SINGLE` -- `gov.irs.investment.net_investment_income_tax.threshold.SURVIVING_SPOUSE` - -### Parent: `gov.irs.payroll.medicare.additional.exclusion` - -- **Expected breakdown type**: `filing_status` -- **Parent has label**: True -- **5 params** - -- `gov.irs.payroll.medicare.additional.exclusion.HEAD_OF_HOUSEHOLD` -- `gov.irs.payroll.medicare.additional.exclusion.JOINT` -- `gov.irs.payroll.medicare.additional.exclusion.SEPARATE` -- `gov.irs.payroll.medicare.additional.exclusion.SINGLE` -- `gov.irs.payroll.medicare.additional.exclusion.SURVIVING_SPOUSE` - -### Parent: `gov.irs.unemployment_compensation.exemption.cutoff` - -- **Expected breakdown type**: `filing_status` -- **Parent has label**: False -- **5 params** - -- `gov.irs.unemployment_compensation.exemption.cutoff.HEAD_OF_HOUSEHOLD` -- `gov.irs.unemployment_compensation.exemption.cutoff.JOINT` -- `gov.irs.unemployment_compensation.exemption.cutoff.SEPARATE` -- `gov.irs.unemployment_compensation.exemption.cutoff.SINGLE` -- `gov.irs.unemployment_compensation.exemption.cutoff.SURVIVING_SPOUSE` - -### Parent: `gov.states.ca.calepa.carb.cvrp.income_cap` - -- **Expected breakdown type**: `filing_status` -- **Parent has label**: False -- **5 params** - -- `gov.states.ca.calepa.carb.cvrp.income_cap.HEAD_OF_HOUSEHOLD` -- `gov.states.ca.calepa.carb.cvrp.income_cap.JOINT` -- `gov.states.ca.calepa.carb.cvrp.income_cap.SEPARATE` -- `gov.states.ca.calepa.carb.cvrp.income_cap.SINGLE` -- `gov.states.ca.calepa.carb.cvrp.income_cap.SURVIVING_SPOUSE` - -### Parent: `gov.states.il.tax.income.exemption.income_limit` - -- **Expected breakdown type**: `filing_status` -- **Parent has label**: True -- **5 params** - -- `gov.states.il.tax.income.exemption.income_limit.HEAD_OF_HOUSEHOLD` -- `gov.states.il.tax.income.exemption.income_limit.JOINT` -- `gov.states.il.tax.income.exemption.income_limit.SEPARATE` -- `gov.states.il.tax.income.exemption.income_limit.SINGLE` -- `gov.states.il.tax.income.exemption.income_limit.SURVIVING_SPOUSE` - -### Parent: `gov.states.ks.tax.income.exemptions.by_filing_status.amount` - -- **Expected breakdown type**: `filing_status` -- **Parent has label**: True -- **5 params** - -- `gov.states.ks.tax.income.exemptions.by_filing_status.amount.HEAD_OF_HOUSEHOLD` -- `gov.states.ks.tax.income.exemptions.by_filing_status.amount.JOINT` -- `gov.states.ks.tax.income.exemptions.by_filing_status.amount.SEPARATE` -- `gov.states.ks.tax.income.exemptions.by_filing_status.amount.SINGLE` -- `gov.states.ks.tax.income.exemptions.by_filing_status.amount.SURVIVING_SPOUSE` - -### Parent: `gov.states.mn.tax.income.subtractions.social_security.reduction.increment` - -- **Expected breakdown type**: `filing_status` -- **Parent has label**: True -- **5 params** - -- `gov.states.mn.tax.income.subtractions.social_security.reduction.increment.HEAD_OF_HOUSEHOLD` -- `gov.states.mn.tax.income.subtractions.social_security.reduction.increment.JOINT` -- `gov.states.mn.tax.income.subtractions.social_security.reduction.increment.SEPARATE` -- `gov.states.mn.tax.income.subtractions.social_security.reduction.increment.SINGLE` -- `gov.states.mn.tax.income.subtractions.social_security.reduction.increment.SURVIVING_SPOUSE` - -### Parent: `gov.states.ny.tax.income.deductions.itemized.phase_out.start` - -- **Expected breakdown type**: `filing_status` -- **Parent has label**: True -- **5 params** - -- `gov.states.ny.tax.income.deductions.itemized.phase_out.start.HEAD_OF_HOUSEHOLD` -- `gov.states.ny.tax.income.deductions.itemized.phase_out.start.JOINT` -- `gov.states.ny.tax.income.deductions.itemized.phase_out.start.SEPARATE` -- `gov.states.ny.tax.income.deductions.itemized.phase_out.start.SINGLE` -- `gov.states.ny.tax.income.deductions.itemized.phase_out.start.SURVIVING_SPOUSE` - -### Parent: `gov.states.ny.tax.income.deductions.itemized.reduction.incremental.lower.income_threshold` - -- **Expected breakdown type**: `filing_status` -- **Parent has label**: True -- **5 params** - -- `gov.states.ny.tax.income.deductions.itemized.reduction.incremental.lower.income_threshold.HEAD_OF_HOUSEHOLD` -- `gov.states.ny.tax.income.deductions.itemized.reduction.incremental.lower.income_threshold.JOINT` -- `gov.states.ny.tax.income.deductions.itemized.reduction.incremental.lower.income_threshold.SEPARATE` -- `gov.states.ny.tax.income.deductions.itemized.reduction.incremental.lower.income_threshold.SINGLE` -- `gov.states.ny.tax.income.deductions.itemized.reduction.incremental.lower.income_threshold.SURVIVING_SPOUSE` - -### Parent: `gov.states.ut.tax.income.credits.retirement.phase_out.threshold` - -- **Expected breakdown type**: `filing_status` -- **Parent has label**: True -- **5 params** - -- `gov.states.ut.tax.income.credits.retirement.phase_out.threshold.HEAD_OF_HOUSEHOLD` -- `gov.states.ut.tax.income.credits.retirement.phase_out.threshold.JOINT` -- `gov.states.ut.tax.income.credits.retirement.phase_out.threshold.SEPARATE` -- `gov.states.ut.tax.income.credits.retirement.phase_out.threshold.SINGLE` -- `gov.states.ut.tax.income.credits.retirement.phase_out.threshold.SURVIVING_SPOUSE` - -### Parent: `gov.states.ut.tax.income.credits.ss_benefits.phase_out.threshold` - -- **Expected breakdown type**: `filing_status` -- **Parent has label**: True -- **5 params** - -- `gov.states.ut.tax.income.credits.ss_benefits.phase_out.threshold.HEAD_OF_HOUSEHOLD` -- `gov.states.ut.tax.income.credits.ss_benefits.phase_out.threshold.JOINT` -- `gov.states.ut.tax.income.credits.ss_benefits.phase_out.threshold.SEPARATE` -- `gov.states.ut.tax.income.credits.ss_benefits.phase_out.threshold.SINGLE` -- `gov.states.ut.tax.income.credits.ss_benefits.phase_out.threshold.SURVIVING_SPOUSE` - -### Parent: `gov.states.ut.tax.income.credits.taxpayer.phase_out.threshold` - -- **Expected breakdown type**: `filing_status` -- **Parent has label**: True -- **5 params** - -- `gov.states.ut.tax.income.credits.taxpayer.phase_out.threshold.HEAD_OF_HOUSEHOLD` -- `gov.states.ut.tax.income.credits.taxpayer.phase_out.threshold.JOINT` -- `gov.states.ut.tax.income.credits.taxpayer.phase_out.threshold.SEPARATE` -- `gov.states.ut.tax.income.credits.taxpayer.phase_out.threshold.SINGLE` -- `gov.states.ut.tax.income.credits.taxpayer.phase_out.threshold.SURVIVING_SPOUSE` - -### Parent: `gov.states.wi.tax.income.additions.capital_loss.limit` - -- **Expected breakdown type**: `filing_status` -- **Parent has label**: True -- **5 params** - -- `gov.states.wi.tax.income.additions.capital_loss.limit.HEAD_OF_HOUSEHOLD` -- `gov.states.wi.tax.income.additions.capital_loss.limit.JOINT` -- `gov.states.wi.tax.income.additions.capital_loss.limit.SEPARATE` -- `gov.states.wi.tax.income.additions.capital_loss.limit.SINGLE` -- `gov.states.wi.tax.income.additions.capital_loss.limit.SURVIVING_SPOUSE` - ---- - -## Pseudo-Bracket Params - -**0 params** - -All bracket-style params (`[n].field`) have proper ParameterScale parents. - ---- - -## Examples of Each Category - -### Explicit Labels (first 10) -- `calibration.gov.cbo.snap`: "Total SNAP outlays" -- `calibration.gov.cbo.social_security`: "Social Security benefits" -- `calibration.gov.cbo.ssi`: "SSI outlays" -- `calibration.gov.cbo.unemployment_compensation`: "Unemployment compensation outlays" -- `calibration.gov.cbo.income_by_source.adjusted_gross_income`: "Total AGI" -- `calibration.gov.cbo.income_by_source.employment_income`: "Total employment income" -- `calibration.gov.cbo.payroll_taxes`: "Payroll tax revenues" -- `calibration.gov.cbo.income_tax`: "Income tax revenue" -- `calibration.gov.irs.soi.rental_income`: "SOI rental income" -- `calibration.gov.irs.soi.returns_by_filing_status.SINGLE`: "Single" - -### Bracket Params WITH Scale Label (first 10) -- `calibration.gov.irs.soi.agi.total_agi[0].threshold`: "AGI aggregate by band (bracket 1 threshold)" -- `calibration.gov.irs.soi.agi.total_agi[0].amount`: "AGI aggregate by band (bracket 1 amount)" -- `calibration.gov.irs.soi.agi.total_agi[1].threshold`: "AGI aggregate by band (bracket 2 threshold)" -- `calibration.gov.irs.soi.agi.total_agi[1].amount`: "AGI aggregate by band (bracket 2 amount)" -- `calibration.gov.irs.soi.agi.total_agi[2].threshold`: "AGI aggregate by band (bracket 3 threshold)" -- `calibration.gov.irs.soi.agi.total_agi[2].amount`: "AGI aggregate by band (bracket 3 amount)" -- `calibration.gov.irs.soi.agi.total_agi[3].threshold`: "AGI aggregate by band (bracket 4 threshold)" -- `calibration.gov.irs.soi.agi.total_agi[3].amount`: "AGI aggregate by band (bracket 4 amount)" -- `calibration.gov.irs.soi.agi.total_agi[4].threshold`: "AGI aggregate by band (bracket 5 threshold)" -- `calibration.gov.irs.soi.agi.total_agi[4].amount`: "AGI aggregate by band (bracket 5 amount)" - -### Breakdown Params WITH Parent Label (first 10) -- `calibration.gov.aca.enrollment.state.AK`: "ACA enrollment by state (AK)" -- `calibration.gov.aca.enrollment.state.AL`: "ACA enrollment by state (AL)" -- `calibration.gov.aca.enrollment.state.AR`: "ACA enrollment by state (AR)" -- `calibration.gov.aca.enrollment.state.AZ`: "ACA enrollment by state (AZ)" -- `calibration.gov.aca.enrollment.state.CA`: "ACA enrollment by state (CA)" -- `calibration.gov.aca.enrollment.state.CO`: "ACA enrollment by state (CO)" -- `calibration.gov.aca.enrollment.state.CT`: "ACA enrollment by state (CT)" -- `calibration.gov.aca.enrollment.state.DC`: "ACA enrollment by state (DC)" -- `calibration.gov.aca.enrollment.state.DE`: "ACA enrollment by state (DE)" -- `calibration.gov.aca.enrollment.state.FL`: "ACA enrollment by state (FL)" - -### Regular Params Without Label (first 20) -- `calibration.gov.cbo.income_by_source.taxable_interest_and_ordinary_dividends` -- `calibration.gov.cbo.income_by_source.qualified_dividend_income` -- `calibration.gov.cbo.income_by_source.net_capital_gain` -- `calibration.gov.cbo.income_by_source.self_employment_income` -- `calibration.gov.cbo.income_by_source.taxable_pension_income` -- `calibration.gov.cbo.income_by_source.taxable_social_security` -- `calibration.gov.cbo.income_by_source.irs_other_income` -- `calibration.gov.cbo.income_by_source.above_the_line_deductions` -- `calibration.gov.usda.snap.participation` -- `calibration.gov.ssa.ssi.participation` -- `calibration.gov.ssa.social_security.participation` -- `calibration.gov.census.populations.total` -- `calibration.gov.census.populations.by_state.AK` -- `calibration.gov.census.populations.by_state.AL` -- `calibration.gov.census.populations.by_state.AR` -- `calibration.gov.census.populations.by_state.AZ` -- `calibration.gov.census.populations.by_state.CA` -- `calibration.gov.census.populations.by_state.CO` -- `calibration.gov.census.populations.by_state.CT` -- `calibration.gov.census.populations.by_state.DC` - ---- - -## Updated Analysis (Corrected Counts) - -**Note**: This updated analysis corrects the earlier counts by properly accounting for all breakdown parents with labels. Many parameters previously classified as "regular without label" are actually breakdown parameters with parent labels. - -### Revised Summary - -| Category | Count | Percentage | Description | -|----------|-------|------------|-------------| -| Breakdown With Parent Label | 40,115 | 73.2% | Breakdown param with parent label → label auto-generated | -| Bracket With Scale Label | 7,235 | 13.2% | Bracket param with scale label → label auto-generated | -| Explicit Label | 5,228 | 9.5% | Has explicit label in YAML metadata | -| Regular Without Label | 925 | 1.7% | Not breakdown/bracket, no explicit label | -| Pseudo Breakdown | 799 | 1.5% | Looks like breakdown but no metadata | -| Breakdown Without Parent Label | 445 | 0.8% | Breakdown param but parent has no label | -| Bracket Without Scale Label | 68 | 0.1% | Bracket param but scale has no label | - -**Total parameters**: 54,815 -**Parameters with labels (explicit or generated)**: 52,578 (95.9%) -**Parameters without labels**: 2,237 (4.1%) - ---- - -## Regular Parameters Without Labels (925 params) - -These are the truly "orphan" parameters that cannot get labels through any automatic mechanism. - -### Breakdown by Program Area - -| Program Area | Count | Examples | -|--------------|-------|----------| -| HHS (CCDF, SMI) | 530 | first_person, second_to_sixth_person, additional_person... | -| State: IN | 92 | ADAMS_COUNTY_IN, ALLEN_COUNTY_IN, BATHOLOMEW_COUNTY_IN... | -| State: CA | 73 | categorical_eligibility, True, False... | -| State: CO | 70 | subtractions, ADAMS_COUNTY_CO, ALAMOSA_COUNTY_CO... | -| USDA (SNAP, WIC, School Meals) | 35 | maximum_household_size, rate, relevant_max_allotment_household_size... | -| Local Tax | 24 | ALLEGANY_COUNTY_MD, ANNE_ARUNDEL_COUNTY_MD, BALTIMORE_CITY_MD... | -| ACA (Affordable Care Act) | 22 | 906, 907, 908... | -| IRS (Federal Tax) | 22 | rate, amount, additional_earned_income... | -| Calibration Data | 12 | taxable_interest_and_ordinary_dividends, qualified_dividend_income... | -| Education (Pell Grant) | 11 | A, B, C... | -| State: WI | 10 | exemption, rate... | -| FCC (Broadband Benefits) | 5 | prior_enrollment_required, tribal, standard... | -| Contributed/Proposed Policies | 4 | 1, 2, 3... | -| State: NC | 3 | value, mortgage_and_property_tax, deductions | -| State: MD | 3 | non_refundable, refundable, additional | -| State: NJ | 2 | unearned, earned | -| State: NY | 2 | unearned, earned | -| Simulation Config | 1 | marginal_tax_rate_delta | -| OpenFisca Meta | 1 | us | -| SSA (Social Security) | 1 | pass_rate | -| State: KY | 1 | subtractions | -| State: WV | 1 | applies | - -### Key Trends Identified - -1. **CCDF (Child Care) Parameters (530)**: Most are NY county-specific copay percentages and cluster assignments, plus multi-dimensional rate tables (care type × duration × age group) - -2. **County-Level Tax Rates (190+)**: Indiana (92), Colorado (64), Maryland (24) counties have individual tax rate parameters - -3. **LA County Rating Areas (22)**: ACA health insurance rating area costs for Los Angeles sub-areas - -4. **Multi-Dimensional Lookup Tables**: Parameters with numeric suffixes (1-5) or code-based keys (A, B, C) that aren't using proper breakdown metadata - ---- - -## High-Priority Parameters for Policy Understanding - -These parameters are most relevant for understanding US tax and benefit policy: - -### Federal Tax (IRS) - -| Parameter | Description | -|-----------|-------------| -| `gov.irs.credits.elderly_or_disabled.amount.base` | Base credit for elderly/disabled | -| `gov.irs.credits.elderly_or_disabled.amount.joint_both_eligible` | Joint credit when both qualify | -| `gov.irs.credits.elderly_or_disabled.amount.married_separate` | Credit for married filing separately | -| `gov.irs.credits.education.american_opportunity_credit.phase_out` | AOTC phase-out threshold | -| `gov.irs.income.amt.exemption.SINGLE/JOINT/SEPARATE` | AMT exemption amounts by filing status | -| `gov.irs.income.exemption.base` | Personal exemption amount | -| `gov.irs.income.exemption.phase_out` | Personal exemption phase-out threshold | -| `gov.irs.deductions.standard.dependent.additional_earned_income` | Standard deduction for dependents | -| `gov.irs.deductions.standard.dependent.base` | Base standard deduction for dependents | -| `gov.irs.capital_gains.rates.0_percent_rate` | 0% capital gains rate threshold | -| `gov.irs.capital_gains.rates.15_percent_rate` | 15% capital gains rate threshold | -| `gov.irs.capital_gains.rates.20_percent_rate` | 20% capital gains rate | -| `gov.irs.investment.net_investment_income_tax.rate` | NIIT rate (3.8%) | -| `gov.irs.ald.misc.educator_expense` | Teacher expense deduction | -| `gov.irs.ald.self_employment_tax.employer_half_rate` | SE tax employer portion rate | -| `gov.irs.unemployment_compensation.exemption.amount` | UI benefit exemption amount | - -### SNAP (Food Stamps) - -| Parameter | Description | -|-----------|-------------| -| `gov.usda.snap.min_allotment.rate` | Minimum benefit as fraction of max | -| `gov.usda.snap.min_allotment.maximum_household_size` | Max HH size for minimum allotment | -| `gov.usda.snap.expected_contribution` | Expected income contribution rate | -| `gov.usda.snap.categorical_eligibility` | Categorical eligibility rules | -| `gov.usda.snap.asset_test.limit.non_elderly` | Asset limit for non-elderly | -| `gov.usda.snap.asset_test.limit.elderly_disabled` | Asset limit for elderly/disabled | -| `gov.usda.snap.income.sources.earned/unearned` | Income source definitions | -| `gov.usda.snap.income.deductions.earned` | Earned income deduction rate | - -### SSI/SSA - -| Parameter | Description | -|-----------|-------------| -| `gov.ssa.ssi.eligibility.pass_rate` | Pass eligibility rate | - -### Education - -| Parameter | Description | -|-----------|-------------| -| `gov.ed.pell_grant.head.asset_assessment_rate.A/B/C` | Asset assessment rates by category | -| `gov.ed.pell_grant.head.income_assessment_rate.A/B/C` | Income assessment rates by category | -| `gov.ed.pell_grant.sai.fpg_fraction.min_pell_limits.*` | Min Pell eligibility thresholds | - -### FCC Broadband Benefits - -| Parameter | Description | -|-----------|-------------| -| `gov.fcc.ebb.amount.standard` | Standard EBB monthly benefit | -| `gov.fcc.ebb.amount.tribal` | Tribal lands EBB benefit | -| `gov.fcc.acp.categorical_eligibility.applies` | ACP categorical eligibility | - -### WIC - -| Parameter | Description | -|-----------|-------------| -| `gov.usda.wic.value.PREGNANT` | WIC package value for pregnant women | -| `gov.usda.wic.value.BREASTFEEDING` | WIC value for breastfeeding | -| `gov.usda.wic.value.POSTPARTUM` | WIC value for postpartum | -| `gov.usda.wic.value.INFANT` | WIC value for infants | -| `gov.usda.wic.value.CHILD` | WIC value for children | - ---- - -## Recommendations - -### Quick Wins (Fix 81 YAML files to cover 1,312 params) - -1. **Add labels to 8 bracket scales** (covers 68 params): - - `gov.irs.credits.education.american_opportunity_credit.amount` - - `gov.irs.credits.eitc.phase_out.joint_bonus` - - `gov.irs.credits.premium_tax_credit.eligibility` - - `gov.irs.credits.premium_tax_credit.phase_out.ending_rate` - - `gov.irs.credits.premium_tax_credit.phase_out.starting_rate` - - Plus 3 state-level scales - -2. **Add labels to 12 breakdown parents** (covers 445 params): - - Child care rate parents - - State tax thresholds - -3. **Add breakdown metadata + labels to 61 pseudo-breakdown parents** (covers 799 params): - - Filing status breakdowns missing metadata - - State-level breakdowns missing metadata - -### Medium-Priority Fixes - -1. Add explicit labels to the 22 high-priority federal IRS params -2. Add explicit labels to the 10 SNAP params -3. Add explicit labels to WIC package value params - -### Low Priority (Administrative/Calibration) - -- County cluster mappings (124 params) - internal lookup tables -- Copay percentages (62 params) - county-specific rates -- Calibration data (12 params) - historical data points -- LA County rating areas (22 params) - geographic codes - ---- - -## Complete List: Regular Parameters Without Labels - -### HHS (530 params) - -#### CCDF Amount Tables (400 params) -Multi-dimensional rate tables by cluster (1-5), care type, duration, and age group: -- Clusters: 1, 2, 3, 4, 5 -- Care types: DCC_SACC, FDC_GFDC, LE_ENH, LE_GC, LE_STD -- Durations: DAILY, HOURLY, PART_DAY, WEEKLY -- Age groups: INFANT, TODDLER, PRESCHOOLER, SCHOOL_AGE - -#### CCDF County Clusters (62 params) -NY county → cluster mappings (e.g., `gov.hhs.ccdf.county_cluster.ALBANY_COUNTY_NY`) - -#### CCDF Copay Percentages (62 params) -NY county copay rates (e.g., `gov.hhs.ccdf.copay_percent.ALBANY_COUNTY_NY`) - -#### Other CCDF (3 params) -- `gov.hhs.ccdf.age_limit` -- `gov.hhs.ccdf.asset_limit` -- `gov.hhs.ccdf.income_limit_smi` - -#### SMI Household Adjustments (3 params) -- `gov.hhs.smi.household_size_adjustment.first_person` -- `gov.hhs.smi.household_size_adjustment.second_to_sixth_person` -- `gov.hhs.smi.household_size_adjustment.additional_person` - -### State: IN (92 params) -Indiana county income tax rates: -- `gov.states.in.tax.income.county_rates.ADAMS_COUNTY_IN` through `WHITLEY_COUNTY_IN` - -### State: CA (73 params) -California TANF parameters: -- `gov.states.ca.cdss.tanf.*` (various eligibility and benefit parameters) -- `gov.states.ca.calepa.cvrp.income_limit_ami` (EV rebate) - -### State: CO (70 params) -Colorado child care and tax parameters: -- `gov.states.co.ccap.entry.*` (child care assistance, 64 params by county) -- `gov.states.co.cdhs.tanf.*` (5 params) -- `gov.states.co.tax.income.subtractions.pension_subtraction.age` (1 param) - -### USDA (35 params) -- SNAP: 10 params (min_allotment, income, asset_test, categorical_eligibility) -- WIC: 21 params (value by participant category and formula type) -- School Meals: 2 params (school_days, income sources) -- Disabled Programs: 1 param -- Elderly Age Threshold: 1 param - -### Local Tax (24 params) -Maryland county income tax rates: -- `gov.local.tax.income.flat_tax_rate.*` (24 MD counties) - -### ACA (22 params) -LA County rating area mappings: -- `gov.aca.la_county_rating_area.900` through `gov.aca.la_county_rating_area.935` - -### IRS (22 params) -- Elderly/disabled credit amounts (3 params) -- AMT exemption by filing status (3 params) -- Personal exemption (2 params) -- Dependent standard deduction (2 params) -- Capital gains rates (3 params) -- NIIT rate (1 param) -- Educator expense (1 param) -- SE tax rate (1 param) -- UI exemption (1 param) -- Education credit phase-out (1 param) -- Other misc (4 params) - -### Calibration (12 params) -CBO income projections and program participation rates - -### Education (11 params) -Pell Grant assessment rates and eligibility thresholds - -### Other States (23 params combined) -- WI: 10 params (income tax) -- NC: 3 params -- MD: 3 params (TANF) -- NJ: 2 params (TANF) -- NY: 2 params (TANF) -- KY: 1 param -- WV: 1 param - -### Misc (7 params) -- FCC: 5 params (EBB/ACP) -- Contrib: 4 params (Harris capital gains proposal) -- Simulation: 1 param -- OpenFisca: 1 param -- SSA: 1 param