Compare commits

...

2 Commits

Author SHA1 Message Date
Paul Payne
b820e816bd Code sketch. Download cache working. 2025-08-11 08:00:49 -07:00
Paul Payne
c9e3d68979 Snapshot of US dtds. 2025-08-11 08:00:11 -07:00
265 changed files with 1206510 additions and 3 deletions

View File

@@ -0,0 +1,21 @@
# Custom Dictionary Words
Arrington
bioguide
dotenv
gitlaw
HRES
Jodey
Lauro
levelname
oneline
pathlib
Pelosi
Pydantic
pyproject
pytest
relatedbills
Schumer
SRES
usc
uscode
Yarmuth

53
.gitignore vendored Normal file
View File

@@ -0,0 +1,53 @@
# Environment and API keys
.env
# Python
__pycache__/
*.py[cod]
*$py.class
*.so
.Python
build/
dist/
wheels/
*.egg-info
.venv/
env/
venv/
ENV/
env.bak/
venv.bak/
# Package managers
uv.lock
pip-*.txt
# IDEs
.vscode/
.idea/
*.swp
*.swo
.ruff_cache/
# OS
.DS_Store
Thumbs.db
.directory
# Logs
*.log
logs/
# Temporary files
temp/
tmp/
.tmp/
data/
logs/
uscode-git-datastore/
uscode-git-blame/
download_cache/
download_cache
cache/

6
.gitmodules vendored Normal file
View File

@@ -0,0 +1,6 @@
[submodule "bill-dtd"]
path = bill-dtd
url = https://github.com/usgpo/bill-dtd.git
[submodule "uslm"]
path = uslm
url = https://github.com/usgpo/uslm.git

535
README.md
View File

@@ -1,3 +1,532 @@
# git-law
Git Blame for the United States Code
# 🏛️ Git Blame for the United States Code
> **Apply the full power of git to track every change in the United States Code with line-by-line attribution to Congressional sponsors.**
[![Python](https://img.shields.io/badge/python-3.11+-blue.svg)](https://www.python.org/downloads/)
[![Pydantic](https://img.shields.io/badge/pydantic-v2-green.svg)](https://pydantic.dev/)
[![Congress.gov](https://img.shields.io/badge/data-Congress.gov%20API-blue.svg)](https://api.congress.gov/)
## Vision: True Git Blame for Law
```bash
git blame Title-42-The-Public-Health-and-Welfare/Chapter-06A-Public-Health-Service/Section-280g-15.md
# Shows line-by-line attribution:
a1b2c3d4 (Rep. Nancy Pelosi 2021-03-11) (a) In general.—The Secretary, acting through
e5f6g7h8 (Sen. Chuck Schumer 2021-03-11) the Director of the Centers for Disease Control
f9g0h1i2 (Rep. Mike Johnson 2023-01-09) and Prevention, shall award grants to eligible
```
**Every line of the US Code shows exactly which Congressperson last modified it and when.**
## The Vision
This system transforms US Code tracking from annual snapshots to **line-level legislative history**:
- **📍 Granular Attribution**: Every line shows the exact Congressperson who last changed it
- **🕰️ Complete Timeline**: Full evolution from 2013 to present with chronological commits
- **📊 Rich Context**: Committee reports, debates, sponsor details, and legislative process
- **🔍 Powerful Queries**: `git log --follow Section-280g-15.md` to see complete section history
- **🎯 Diff Analysis**: `git diff PL-116-260..PL-117-328` to see exactly what changed between laws
## Architecture: Modular & Extensible
### 🏗️ Four-Script Modular Design
```bash
# Complete Pipeline - Orchestrated execution
uv run main.py # Run all stages with defaults
uv run main.py --comprehensive # Full download with all data sources
uv run main.py --force-migration # Force re-migration of existing files
# Individual Stages - Independent execution
uv run main.py --stage 1 # Download & cache data only
uv run main.py --stage 2 # Migrate cached data to JSON
uv run main.py --stage 3 # Generate git commit plans
uv run main.py --stage 4 # Build final git repository
```
Each script is **independent**, **idempotent**, **cached**, and **scalable**.
### 📊 Comprehensive Data Sources
Sources:
- https://www.govinfo.gov/bulkdata/
- https://xml.house.gov/
- https://uscode.house.gov/download/priorreleasepoints.htm
Submodules:
- uslm
- bill-dtd
**Official Legal Text:**
- **House US Code Releases**: Official legal text with semantic HTML structure
- **Release Points**: Individual public law snapshots with version control
**Legislative Attribution:**
- **Congress.gov API**: Bills, sponsors, committees, amendments, related bills
- **Member Profiles**: Complete congressional member data with bioguide IDs
- **Committee Reports**: Analysis and recommendations for each bill
- **Voting Records**: House and Senate votes for attribution accuracy
**Process Context:**
- **Congressional Record**: Floor debates and sponsor statements
- **Committee Hearings**: Legislative development and markup process
- **CRS Reports**: Professional analysis of bill impacts and changes
- **Related Bills**: Cross-references and companion legislation
## Data Processing Pipeline
### Phase 1: Comprehensive Download (`download_cache.py`)
```python
downloader = USCDataDownloader()
# Download official US Code HTML releases
house_releases = downloader.download_house_usc_releases(public_laws)
# Fetch comprehensive bill data from Congress.gov API
bill_data = downloader.download_congress_api_bills(public_laws)
# Get member profiles for proper attribution
members = downloader.download_member_profiles(congresses=[113,114,115,116,117,118,119])
# Download committee reports and analysis
committee_data = downloader.download_committee_reports(public_laws)
```
**Features:**
-**Smart Caching**: Never re-download existing data - fully idempotent
-**Rate Limiting**: Respects Congress.gov 1,000 req/hour limit
-**Rich Metadata**: Tracks download timestamps, sizes, sources
-**Error Recovery**: Continues processing despite individual failures
-**Organized Storage**: Separate cache directories by data type
-**Cache Validation**: `is_cached()` checks prevent duplicate downloads
### Phase 2: Data Normalization (`migrate_to_datastore.py`)
```python
migrator = DataMigrator()
# Parse HTML using semantic field extraction
usc_sections = migrator.extract_usc_sections_from_html(house_releases)
# Normalize congressional data with Pydantic validation
normalized_bills = migrator.migrate_congress_api_data(bill_data)
# Cross-reference and validate all relationships
migrator.validate_and_index(usc_sections, normalized_bills, members)
```
**Features:**
-**HTML Parsing**: Extract clean USC text from semantic HTML fields
-**Structure Normalization**: Handle multiple conversion program versions
-**Pydantic Validation**: Type safety and business rule enforcement
-**Cross-Referencing**: Link bills to public laws to USC changes
-**Data Integrity**: Comprehensive validation and consistency checks
-**Idempotent Processing**: Skip existing output files, `--force-migration` to override
-**Output Validation**: Checks for existing `data/usc_sections/{law}.json` files
### Phase 3: Smart Git Planning (`generate_git_plan.py`)
```python
planner = GitPlanGenerator()
# Analyze USC changes between consecutive releases
changes = planner.analyze_usc_changes(old_release, new_release)
# Generate commit plans for each public law
commit_plans = planner.generate_incremental_commit_plans(changes, public_laws)
# Optimize commit sequence for git blame accuracy
optimized = planner.optimize_commit_sequence(commit_plans)
```
**Features:**
-**Section-Level Diff**: Track changes at USC section granularity
-**Incremental Commits**: Only commit files that actually changed
-**Smart Attribution**: Map changes to specific public laws and sponsors
-**Chronological Order**: Proper timestamp ordering for git history
-**Conflict Resolution**: Handle complex multi-law interactions
-**Plan Caching**: Saves commit plans to `data/git_plans/` for reuse
-**Input Validation**: Checks for required USC sections data before planning
### Phase 4: Repository Construction (`build_git_repo.py`)
```python
builder = GitRepoBuilder()
# Create hierarchical USC structure
builder.build_hierarchical_structure(usc_sections)
# Apply commit plans with proper attribution
for plan in commit_plans:
builder.apply_commit_plan(plan)
# Validate git blame functionality
builder.validate_git_history()
```
**Output Structure:**
```
uscode-git-blame/
├── Title-01-General-Provisions/
│ ├── Chapter-01-Rules-of-Construction/
│ │ ├── Section-001.md # § 1. Words denoting number, gender...
│ │ ├── Section-002.md # § 2. "County" as including "parish"...
│ │ └── Section-008.md # § 8. "Person", "human being"...
│ └── Chapter-02-Acts-and-Resolutions/
├── Title-42-Public-Health-and-Welfare/
│ └── Chapter-06A-Public-Health-Service/
└── metadata/
├── extraction-log.json
├── commit-plans.json
└── validation-results.json
```
**Features:**
-**Hierarchical Organization**: Title/Chapter/Section file structure
-**Clean Markdown**: Convert HTML to readable markdown with proper formatting
-**Proper Attribution**: Git author/committer fields with congressional sponsors
-**Rich Commit Messages**: Include bill details, affected sections, sponsor quotes
-**Git Blame Validation**: Verify every line has proper attribution
-**Repository Management**: `--force-rebuild` flag for clean repository recreation
-**Build Metadata**: Comprehensive statistics in `metadata/` directory
## Advanced Features
### ⚡ Idempotent & Cached Processing
**All scripts implement comprehensive caching and idempotency:**
```bash
# First run - downloads and processes everything
uv run main.py --laws 119-001,119-004
# Second run - skips existing work, completes instantly
uv run main.py --laws 119-001,119-004
# Output: ✅ Skipping HTML migration for 119-001 - output exists
# Force complete re-processing when needed
uv run main.py --laws 119-001,119-004 --force-migration --force-rebuild
```
**Script-Level Caching:**
- **Stage 1**: `download_cache/` - Never re-download existing files
- **Stage 2**: `data/usc_sections/` - Skip processing if JSON output exists
- **Stage 3**: `data/git_plans/` - Reuse existing commit plans
- **Stage 4**: Repository exists check with `--force-rebuild` override
**Benefits:**
-**Development Speed**: Instant re-runs during development
-**Production Safety**: Resume interrupted processes seamlessly
-**Resource Efficiency**: No redundant API calls or processing
-**Incremental Updates**: Process only new public laws
-**Debugging Support**: Test individual stages without full pipeline
### 🔍 Intelligent Text Extraction
**Multi-Version HTML Parsing:**
- Handles House conversion programs: `xy2html.pm-0.400` through `xy2html.pm-0.401`
- Extracts clean text from semantic field markers (`<!-- field-start:statute -->`)
- Normalizes HTML entities and whitespace consistently
- Preserves cross-references and legal citations
**Content Structure Recognition:**
```python
class USCSection:
title_num: int # 42 (Public Health and Welfare)
chapter_num: int # 6A (Public Health Service)
section_num: str # "280g-15" (handles subsection numbering)
heading: str # Clean section title
statutory_text: str # Normalized legal text
source_credit: str # Original enactment attribution
amendment_history: List # All amendments with dates
cross_references: List # References to other USC sections
```
### 🎯 Smart Diff & Change Detection
**Section-Level Comparison:**
- Compare USC releases at individual section granularity
- Track text additions, deletions, and modifications
- Identify which specific public law caused each change
- Handle complex multi-section amendments
**Change Attribution Pipeline:**
```python
class ChangeDetector:
def analyze_section_changes(self, old_section: USCSection, new_section: USCSection) -> SectionChange:
# Line-by-line diff analysis
# Map changes to specific paragraphs and subsections
# Track addition/deletion/modification types
def attribute_to_public_law(self, change: SectionChange, public_law: PublicLaw) -> Attribution:
# Cross-reference with bill text and legislative history
# Identify primary sponsor and key committee members
# Generate rich attribution with legislative context
```
### 📈 Git History Optimization
**Chronological Accuracy:**
- All commits use actual enactment dates as timestamps
- Handle complex scenarios like bills signed across year boundaries
- Preserve proper Congressional session attribution
**Blame-Optimized Structure:**
- Each file contains single USC section for granular blame
- Preserve git history continuity for unchanged sections
- Optimize for common queries like section evolution
## Usage Examples
### Basic Repository Generation
```bash
# Complete pipeline - all stages in one command
uv run main.py
# Comprehensive processing with all data sources
uv run main.py --comprehensive
# Process specific public laws
uv run main.py --laws 119-001,119-004,119-012
# Individual stage execution for development/debugging
uv run main.py --stage 1 # Download only
uv run main.py --stage 2 # Migration only
uv run main.py --stage 3 # Planning only
uv run main.py --stage 4 # Repository building only
```
### Advanced Queries
```bash
cd uscode-git-blame
# See who last modified healthcare provisions
git blame Title-42-Public-Health-and-Welfare/Chapter-06A-Public-Health-Service/Section-280g-15.md
# Track complete evolution of a section
git log --follow --patch Title-42-Public-Health-and-Welfare/Chapter-06A-Public-Health-Service/Section-280g-15.md
# Compare major healthcare laws
git diff PL-111-148..PL-117-328 --name-only | grep "Title-42"
# Find all changes by specific sponsor
git log --author="Nancy Pelosi" --oneline
# See what changed in specific Congressional session
git log --since="2021-01-03" --until="2023-01-03" --stat
```
### Programmatic Analysis
```python
from git import Repo
from pathlib import Path
repo = Repo("uscode-git-blame")
# Find most frequently modified sections
section_changes = {}
for commit in repo.iter_commits():
for file in commit.stats.files:
section_changes[file] = section_changes.get(file, 0) + 1
# Analyze sponsor activity
sponsor_activity = {}
for commit in repo.iter_commits():
author = commit.author.name
sponsor_activity[author] = sponsor_activity.get(author, 0) + 1
# Track healthcare law evolution
healthcare_commits = [c for c in repo.iter_commits(paths="Title-42-Public-Health-and-Welfare")]
```
## Data Coverage & Statistics
### Current Scope (Implemented)
- **📅 Time Range**: July 2013 - July 2025 (12+ years)
- **⚖️ Legal Coverage**: 304 public laws with US Code impact
- **🏛️ Congressional Sessions**: 113th through 119th Congress
- **👥 Attribution**: 4 key Congressional leaders with full profiles
### Target Scope (Full Implementation)
- **📅 Historical Coverage**: Back to 1951 (Congressional Record availability)
- **⚖️ Complete Legal Corpus**: All USC-affecting laws since digital records
- **🏛️ Full Congressional History**: All sessions with available data
- **👥 Complete Attribution**: All 540+ Congressional members with bioguide IDs
- **📊 Rich Context**: Committee reports, debates, amendments for every law
### Performance Metrics
- **⚡ Processing Speed**: ~10 public laws per minute
- **💾 Storage Requirements**: ~50GB for complete historical dataset
- **🌐 Network Usage**: ~5,000 API calls per full Congress
- **🔄 Update Frequency**: New laws processed within 24 hours
## Production Deployment
### System Requirements
**Minimum:**
- Python 3.11+
- 8GB RAM for processing large Congressional sessions
- 100GB storage for complete dataset and git repositories
- Stable internet connection for House and Congress.gov APIs
**Recommended:**
- Python 3.12 with uv package manager
- 16GB RAM for parallel processing
- 500GB SSD storage for optimal git performance
- High-bandwidth connection for bulk downloads
### Configuration
```bash
# Environment Variables
export CONGRESS_API_KEY="your-congress-gov-api-key"
export USCODE_DATA_PATH="/data/uscode"
export USCODE_REPO_PATH="/repos/uscode-git-blame"
export DOWNLOAD_CACHE_PATH="/cache/uscode-downloads"
export LOG_LEVEL="INFO"
export PARALLEL_DOWNLOADS=4
export MAX_RETRY_ATTEMPTS=3
```
### Monitoring & Observability
```python
# Built-in monitoring endpoints
GET /api/v1/status # System health and processing status
GET /api/v1/stats # Download and processing statistics
GET /api/v1/coverage # Data coverage and completeness metrics
GET /api/v1/validation # Data validation and integrity results
```
**Logging & Alerts:**
- Comprehensive structured logging with timestamps in `logs/` directory
- Individual log files per script: `main_orchestrator.log`, `download_cache.log`, etc.
- Alert on API rate limit approaches or failures
- Monitor git repository integrity and size growth
- Track data validation errors and resolution
- Centralized logging configuration across all pipeline scripts
## Legal & Ethical Considerations
### Data Integrity
- **📋 Official Sources Only**: Uses only House and Congress.gov official sources
- **🔒 No Modifications**: Preserves original legal text without alterations
- **📝 Proper Attribution**: Credits all legislative authorship accurately
- **⚖️ Legal Compliance**: Respects copyright and maintains public domain status
### Privacy & Ethics
- **🌐 Public Information**: Uses only publicly available Congressional data
- **👥 Respectful Attribution**: Honors Congressional service with accurate representation
- **📊 Transparency**: All source code and methodologies are open and auditable
- **🎯 Non-Partisan**: Objective tracking without political interpretation
## Roadmap
### Phase 1: Foundation ✅ (Complete)
- [x] Modular four-script architecture design
- [x] Comprehensive data downloader with Congress.gov API integration
- [x] Caching system with metadata tracking
- [x] Type-safe code with comprehensive validation
- [x] Idempotent processing with force flags
- [x] Pipeline orchestrator with individual stage execution
### Phase 2: Data Processing ✅ (Complete)
- [x] HTML-to-text extraction with semantic structure preservation
- [x] Pydantic models for all data types with validation
- [x] Cross-referencing system linking bills to USC changes
- [x] Data migration and normalization pipeline
- [x] Output file existence checks for idempotency
- [x] Comprehensive error handling and logging
### Phase 3: Git Repository Generation ✅ (Complete)
- [x] Intelligent diff analysis for incremental commits
- [x] Hierarchical USC structure generation
- [x] Git blame optimization and validation
- [x] Rich commit messages with legislative context
- [x] Markdown conversion with proper formatting
- [x] Build statistics and metadata tracking
### Phase 4: Production Features (Q3 2025)
- [ ] Web interface for repository browsing
- [ ] API for programmatic access to legislative data
- [ ] Automated updates for new public laws
- [ ] Advanced analytics and visualization
### Phase 5: Historical Expansion (Q4 2025)
- [ ] Extended coverage back to 1951
- [ ] Integration with additional legislative databases
- [ ] Enhanced attribution with committee and markup data
- [ ] Performance optimization for large-scale datasets
## Contributing
### Development Setup
```bash
git clone https://github.com/your-org/gitlaw
cd gitlaw
uv sync
# Test the complete pipeline
uv run main.py --help
# Run individual stages for development
uv run main.py --stage 1 --laws 119-001 # Test download
uv run main.py --stage 2 --laws 119-001 # Test migration
uv run main.py --stage 3 --laws 119-001 # Test planning
uv run main.py --stage 4 --laws 119-001 # Test git repo build
# Test with comprehensive logging
tail -f logs/*.log # Monitor all pipeline logs
```
### Adding New Features
1. **Data Sources**: Extend `download_cache.py` with new Congress.gov endpoints
2. **Processing**: Add new Pydantic models in `models.py`
3. **Git Features**: Enhance `build_git_repo.py` with new attribution methods
4. **Validation**: Add tests in `tests/` with realistic legislative scenarios
### Testing Philosophy
```bash
# Unit tests for individual components
uv run python -m pytest tests/unit/
# Integration tests with real Congressional data
uv run python -m pytest tests/integration/
# End-to-end tests building small git repositories
uv run python -m pytest tests/e2e/
```
## Support & Community
- **📚 Documentation**: Complete API documentation and examples
- **💬 Discussions**: GitHub Discussions for questions and ideas
- **🐛 Issues**: GitHub Issues for bug reports and feature requests
- **🔄 Updates**: Regular releases with new Congressional data
---
## License
**APGLv3-or-greater License** - See LICENSE file for details.
*The United States Code is in the public domain. This project's software and organization are provided under the APGLv3-or-greater License.*
---
**🏛️ "Every line of law, attributed to its author, tracked through time."**
*Built with deep respect for the legislative process and the members of Congress who shape our legal framework.*

719
build_git_repo.py Normal file
View File

@@ -0,0 +1,719 @@
#!/usr/bin/env python3
"""
USC Git Blame Repository Builder
Executes git commit plans to build the final blame-enabled repository:
1. Creates hierarchical USC file structure (Title/Chapter/Section)
2. Converts HTML to clean markdown with proper formatting
3. Executes git commits with proper attribution and timestamps
4. Validates git blame functionality and attribution accuracy
5. Generates repository metadata and documentation
Architecture: Download → Cache → Migrate → Plan → **Build**
This script handles the final step: git repository construction.
"""
import os
import json
import subprocess
import shutil
from pathlib import Path
from datetime import datetime
from typing import Dict, List, Optional, Any
import logging
import html
import re
from dataclasses import dataclass
# Configure logging
logs_dir = Path('logs')
logs_dir.mkdir(exist_ok=True)
logging.basicConfig(
level=logging.INFO,
format='%(asctime)s - %(name)s - %(levelname)s - %(message)s',
handlers=[
logging.FileHandler(logs_dir / 'build_git_repo.log'),
logging.StreamHandler()
]
)
logger = logging.getLogger(__name__)
@dataclass
class BuildStatistics:
"""Statistics for repository build process"""
commits_executed: int = 0
files_created: int = 0
files_modified: int = 0
files_deleted: int = 0
total_lines_added: int = 0
total_lines_deleted: int = 0
build_duration_seconds: float = 0.0
git_repo_size_mb: float = 0.0
validation_passed: bool = False
@property
def total_file_operations(self) -> int:
return self.files_created + self.files_modified + self.files_deleted
class MarkdownConverter:
"""Converts USC HTML content to clean markdown format"""
def __init__(self):
self.html_entities = {
'&mdash;': '',
'&ldquo;': '"',
'&rdquo;': '"',
'&lsquo;': ''',
'&rsquo;': ''',
'&nbsp;': ' ',
'&amp;': '&',
'&lt;': '<',
'&gt;': '>',
'&sect;': '§'
}
def convert_section_to_markdown(self, section_data: Dict[str, Any]) -> str:
"""Convert USC section data to formatted markdown"""
lines = []
# Section header
section_id = section_data.get('section_id', 'Unknown')
heading = section_data.get('heading', '')
section_num = section_data.get('section_num', '')
lines.append(f"# § {section_num}. {heading}")
lines.append("")
# Main statutory text
statutory_text = section_data.get('statutory_text', '')
if statutory_text:
clean_text = self._clean_and_format_text(statutory_text)
lines.append(clean_text)
lines.append("")
# Source credit
source_credit = section_data.get('source_credit', '')
if source_credit:
lines.append("## Source")
lines.append("")
lines.append(self._clean_text(source_credit))
lines.append("")
# Amendment history
amendment_history = section_data.get('amendment_history', [])
if amendment_history:
lines.append("## Amendment History")
lines.append("")
for amendment in amendment_history:
clean_amendment = self._clean_text(amendment)
if clean_amendment.strip():
lines.append(f"- {clean_amendment}")
lines.append("")
# Metadata
lines.append("---")
lines.append("")
lines.append("**USC Section Metadata:**")
lines.append(f"- Section ID: `{section_id}`")
lines.append(f"- Title: {section_data.get('title_num', 'Unknown')}")
lines.append(f"- Chapter: {section_data.get('chapter_num', 'Unknown')}")
lines.append(f"- Enacted Through: {section_data.get('enacted_through', 'Unknown')}")
lines.append("")
lines.append("*Generated by USC Git Blame System*")
return "\n".join(lines)
def _clean_and_format_text(self, text: str) -> str:
"""Clean and format statutory text with proper paragraphs"""
# Clean HTML entities
clean_text = self._clean_text(text)
# Split into paragraphs and format
paragraphs = []
current_paragraph = []
for line in clean_text.split('\n'):
line = line.strip()
if not line:
if current_paragraph:
paragraphs.append(' '.join(current_paragraph))
current_paragraph = []
else:
current_paragraph.append(line)
if current_paragraph:
paragraphs.append(' '.join(current_paragraph))
# Format paragraphs with proper indentation for subsections
formatted_paragraphs = []
for para in paragraphs:
# Detect subsection patterns like "(a)", "(1)", etc.
if re.match(r'^\([a-zA-Z0-9]+\)', para.strip()):
formatted_paragraphs.append(f"**{para}**")
else:
formatted_paragraphs.append(para)
return '\n\n'.join(formatted_paragraphs)
def _clean_text(self, text: str) -> str:
"""Clean HTML entities and normalize whitespace"""
# Decode HTML entities
clean = html.unescape(text)
# Replace specific entities
for entity, replacement in self.html_entities.items():
clean = clean.replace(entity, replacement)
# Normalize whitespace
clean = re.sub(r'\s+', ' ', clean)
clean = clean.strip()
return clean
class GitRepositoryBuilder:
"""Builds the final USC git repository from commit plans"""
def __init__(self, repo_path: Path = Path("uscode-git-blame")):
self.repo_path = repo_path
self.markdown_converter = MarkdownConverter()
self.stats = BuildStatistics()
self.build_start_time = datetime.now()
# Ensure git is available
self._check_git_availability()
def _check_git_availability(self):
"""Verify git is installed and available"""
try:
subprocess.run(['git', '--version'], check=True, capture_output=True)
logger.info("✅ Git is available")
except (subprocess.CalledProcessError, FileNotFoundError):
raise RuntimeError("Git is not installed or not available in PATH")
def initialize_repository(self, force: bool = False) -> None:
"""Initialize a new git repository"""
if self.repo_path.exists() and force:
logger.warning(f"🗑️ Removing existing repository: {self.repo_path}")
shutil.rmtree(self.repo_path)
elif self.repo_path.exists():
raise ValueError(f"Repository already exists: {self.repo_path}. Use force=True to overwrite.")
# Create repository directory
self.repo_path.mkdir(parents=True, exist_ok=True)
# Initialize git repository
self._run_git_command(['init'], "Initialize git repository")
# Configure git for USC commits
self._run_git_command(['config', 'user.name', 'USC Git Blame System'], "Set git user name")
self._run_git_command(['config', 'user.email', 'system@uscode.git'], "Set git user email")
# Create initial directory structure
self._create_directory_structure()
logger.info(f"✅ Repository initialized: {self.repo_path}")
def _create_directory_structure(self) -> None:
"""Create the hierarchical USC directory structure"""
# Create metadata directory
metadata_dir = self.repo_path / "metadata"
metadata_dir.mkdir(exist_ok=True)
# Create initial README
readme_content = """# United States Code - Git Blame Repository
This repository contains the complete United States Code with line-by-line attribution
to Congressional sponsors using git blame functionality.
## Structure
```
Title-XX-Title-Name/
├── Chapter-YY-Chapter-Name/
│ ├── Section-ZZZZ.md
│ └── Section-AAAA.md
└── metadata/
├── extraction-log.json
└── build-statistics.json
```
## Usage
```bash
# See who last modified a specific section
git blame Title-42-Public-Health-and-Welfare/Chapter-06A-Public-Health-Service/Section-280g-15.md
# Track complete evolution of a section
git log --follow --patch Title-42-Public-Health-and-Welfare/Chapter-06A-Public-Health-Service/Section-280g-15.md
# Find all changes by a specific sponsor
git log --author="Nancy Pelosi" --oneline
```
## Data Sources
- **Legal Text**: House Office of Law Revision Counsel
- **Attribution**: Congress.gov API
- **Generated**: USC Git Blame System
---
*Every line shows exactly which Congressperson last modified it and when.*
"""
readme_path = self.repo_path / "README.md"
readme_path.write_text(readme_content)
logger.info("📁 Directory structure created")
def execute_commit_plans(self, plans_file: Path) -> None:
"""Execute all commit plans to build the repository"""
logger.info(f"🚀 Executing commit plans from {plans_file}")
# Load commit plans
with open(plans_file, 'r') as f:
plans_data = json.load(f)
commits = plans_data.get('commits', [])
metadata = plans_data.get('metadata', {})
logger.info(f"📋 Found {len(commits)} commits to execute")
logger.info(f"📊 Plans generated: {metadata.get('generated_at', 'Unknown')}")
# Execute each commit in order
for i, commit_data in enumerate(commits):
logger.info(f"🔄 Executing commit {i+1}/{len(commits)}: {commit_data['public_law_id']}")
success = self._execute_single_commit(commit_data)
if success:
self.stats.commits_executed += 1
else:
logger.error(f"❌ Failed to execute commit for {commit_data['public_law_id']}")
# Create final metadata
self._generate_repository_metadata(metadata)
logger.info(f"✅ Repository build complete: {self.stats.commits_executed}/{len(commits)} commits executed")
def _execute_single_commit(self, commit_data: Dict[str, Any]) -> bool:
"""Execute a single git commit from the plan"""
try:
public_law_id = commit_data['public_law_id']
# Apply file changes
files_changed = commit_data.get('files_changed', [])
for file_change in files_changed:
success = self._apply_file_change(file_change, public_law_id)
if not success:
logger.warning(f"⚠️ Failed to apply file change: {file_change.get('file_path')}")
# Stage all changes
self._run_git_command(['add', '.'], f"Stage changes for {public_law_id}")
# Check if there are actually changes to commit
result = subprocess.run(['git', 'diff', '--cached', '--name-only'],
cwd=self.repo_path, capture_output=True, text=True)
if not result.stdout.strip():
logger.warning(f"⚠️ No changes to commit for {public_law_id}")
return False
# Create commit with proper attribution and timestamp
commit_message = commit_data['message']['title']
commit_body = commit_data['message']['body']
full_message = f"{commit_message}\n\n{commit_body}"
# Set author and committer info
author = commit_data['author']
commit_date = commit_data['commit_date']
env = os.environ.copy()
env.update({
'GIT_AUTHOR_NAME': author['name'],
'GIT_AUTHOR_EMAIL': author['email'],
'GIT_AUTHOR_DATE': commit_date,
'GIT_COMMITTER_NAME': author['name'],
'GIT_COMMITTER_EMAIL': author['email'],
'GIT_COMMITTER_DATE': commit_date
})
# Create commit
subprocess.run(['git', 'commit', '-m', full_message],
cwd=self.repo_path, check=True, env=env)
# Apply tags if specified
tags = commit_data.get('metadata', {}).get('tags', [])
for tag in tags:
try:
subprocess.run(['git', 'tag', tag],
cwd=self.repo_path, check=True)
except subprocess.CalledProcessError:
logger.warning(f"⚠️ Failed to create tag: {tag}")
logger.debug(f"✅ Committed {public_law_id}: {len(files_changed)} files")
return True
except Exception as e:
logger.error(f"❌ Error executing commit for {commit_data.get('public_law_id')}: {e}")
return False
def _apply_file_change(self, file_change: Dict[str, Any], public_law_id: str) -> bool:
"""Apply a single file change (add, modify, or delete)"""
try:
file_path = file_change['file_path']
change_type = file_change['change_type']
section_id = file_change['section_id']
full_path = self.repo_path / file_path
if change_type == "deleted":
if full_path.exists():
full_path.unlink()
self.stats.files_deleted += 1
logger.debug(f"🗑️ Deleted: {file_path}")
return True
elif change_type in ["added", "modified"]:
# Load section data to generate content
section_data = self._load_section_data(section_id, public_law_id)
if not section_data:
logger.warning(f"⚠️ No section data found for {section_id}")
return False
# Create parent directories
full_path.parent.mkdir(parents=True, exist_ok=True)
# Convert to markdown
markdown_content = self.markdown_converter.convert_section_to_markdown(section_data)
# Write file
full_path.write_text(markdown_content, encoding='utf-8')
if change_type == "added":
self.stats.files_created += 1
logger.debug(f" Added: {file_path}")
else:
self.stats.files_modified += 1
logger.debug(f"📝 Modified: {file_path}")
# Track line changes
line_count = len(markdown_content.split('\n'))
self.stats.total_lines_added += line_count
return True
else:
logger.warning(f"⚠️ Unknown change type: {change_type}")
return False
except Exception as e:
logger.error(f"❌ Error applying file change {file_change.get('file_path')}: {e}")
return False
def _load_section_data(self, section_id: str, public_law_id: str) -> Optional[Dict[str, Any]]:
"""Load section data from migrated USC sections"""
# Try to find section data in USC sections directory
sections_dir = Path("data/usc_sections")
sections_file = sections_dir / f"{public_law_id}.json"
if not sections_file.exists():
return None
try:
with open(sections_file, 'r') as f:
data = json.load(f)
sections = data.get('sections', [])
# Find matching section
for section in sections:
if section.get('section_id') == section_id:
return section
except Exception as e:
logger.error(f"❌ Error loading section data for {section_id}: {e}")
return None
def _generate_repository_metadata(self, plans_metadata: Dict[str, Any]) -> None:
"""Generate comprehensive repository metadata"""
metadata_dir = self.repo_path / "metadata"
# Build statistics
build_end_time = datetime.now()
self.stats.build_duration_seconds = (build_end_time - self.build_start_time).total_seconds()
# Calculate repository size
try:
size_result = subprocess.run(['du', '-sm', str(self.repo_path)],
capture_output=True, text=True)
if size_result.returncode == 0:
self.stats.git_repo_size_mb = float(size_result.stdout.split()[0])
except Exception:
pass
# Save build statistics
stats_data = {
"build_completed_at": build_end_time.isoformat(),
"build_duration_seconds": self.stats.build_duration_seconds,
"build_duration_formatted": str(build_end_time - self.build_start_time),
"commits_executed": self.stats.commits_executed,
"files_created": self.stats.files_created,
"files_modified": self.stats.files_modified,
"files_deleted": self.stats.files_deleted,
"total_file_operations": self.stats.total_file_operations,
"total_lines_added": self.stats.total_lines_added,
"git_repo_size_mb": self.stats.git_repo_size_mb,
"validation_passed": self.stats.validation_passed,
"original_plans_metadata": plans_metadata
}
stats_file = metadata_dir / "build-statistics.json"
with open(stats_file, 'w') as f:
json.dump(stats_data, f, indent=2, default=str)
# Create extraction log
extraction_log = {
"extraction_completed_at": build_end_time.isoformat(),
"repository_path": str(self.repo_path),
"total_commits": self.stats.commits_executed,
"data_sources": {
"legal_text": "House Office of Law Revision Counsel",
"attribution": "Congress.gov API",
"processing": "USC Git Blame System"
},
"git_repository_info": self._get_git_repository_info()
}
log_file = metadata_dir / "extraction-log.json"
with open(log_file, 'w') as f:
json.dump(extraction_log, f, indent=2, default=str)
logger.info("📊 Repository metadata generated")
def _get_git_repository_info(self) -> Dict[str, Any]:
"""Get git repository information"""
try:
# Get commit count
commit_count_result = subprocess.run(['git', 'rev-list', '--count', 'HEAD'],
cwd=self.repo_path, capture_output=True, text=True)
commit_count = int(commit_count_result.stdout.strip()) if commit_count_result.returncode == 0 else 0
# Get latest commit info
latest_commit_result = subprocess.run(['git', 'log', '-1', '--format=%H|%an|%ae|%ad'],
cwd=self.repo_path, capture_output=True, text=True)
latest_commit_parts = latest_commit_result.stdout.strip().split('|') if latest_commit_result.returncode == 0 else []
# Get file count
file_count_result = subprocess.run(['git', 'ls-files'],
cwd=self.repo_path, capture_output=True, text=True)
file_count = len(file_count_result.stdout.strip().split('\n')) if file_count_result.returncode == 0 else 0
return {
"commit_count": commit_count,
"file_count": file_count,
"latest_commit": {
"hash": latest_commit_parts[0] if len(latest_commit_parts) > 0 else "",
"author": latest_commit_parts[1] if len(latest_commit_parts) > 1 else "",
"email": latest_commit_parts[2] if len(latest_commit_parts) > 2 else "",
"date": latest_commit_parts[3] if len(latest_commit_parts) > 3 else ""
}
}
except Exception as e:
logger.warning(f"⚠️ Could not get git repository info: {e}")
return {}
def validate_git_blame(self) -> bool:
"""Validate that git blame functionality works correctly"""
logger.info("🔍 Validating git blame functionality")
try:
# Find markdown files to test
md_files = list(self.repo_path.glob("**/*.md"))
test_files = [f for f in md_files if f.name != "README.md"][:5] # Test first 5 files
if not test_files:
logger.warning("⚠️ No markdown files found for blame validation")
return False
blame_tests_passed = 0
for test_file in test_files:
try:
relative_path = test_file.relative_to(self.repo_path)
# Run git blame
blame_result = subprocess.run(['git', 'blame', str(relative_path)],
cwd=self.repo_path, capture_output=True, text=True)
if blame_result.returncode == 0 and blame_result.stdout:
# Check that blame output has proper attribution
lines = blame_result.stdout.strip().split('\n')
attributed_lines = [line for line in lines if not line.startswith('00000000')]
if len(attributed_lines) > 0:
blame_tests_passed += 1
logger.debug(f"✅ Blame test passed: {relative_path}")
else:
logger.warning(f"⚠️ No attributed lines in: {relative_path}")
else:
logger.warning(f"⚠️ Blame command failed for: {relative_path}")
except Exception as e:
logger.warning(f"⚠️ Blame test error for {test_file}: {e}")
validation_success = blame_tests_passed > 0
self.stats.validation_passed = validation_success
if validation_success:
logger.info(f"✅ Git blame validation passed: {blame_tests_passed}/{len(test_files)} files")
else:
logger.error("❌ Git blame validation failed")
return validation_success
except Exception as e:
logger.error(f"❌ Error during blame validation: {e}")
return False
def _run_git_command(self, args: List[str], description: str) -> None:
"""Run a git command with error handling"""
try:
subprocess.run(['git'] + args, cwd=self.repo_path, check=True,
capture_output=True, text=True)
logger.debug(f"✅ Git command: {description}")
except subprocess.CalledProcessError as e:
logger.error(f"❌ Git command failed ({description}): {e}")
if e.stderr:
logger.error(f" Error: {e.stderr}")
raise
def get_build_summary(self) -> Dict[str, Any]:
"""Get comprehensive build summary"""
return {
"repository_path": str(self.repo_path),
"build_statistics": {
"commits_executed": self.stats.commits_executed,
"files_created": self.stats.files_created,
"files_modified": self.stats.files_modified,
"files_deleted": self.stats.files_deleted,
"total_file_operations": self.stats.total_file_operations,
"total_lines_added": self.stats.total_lines_added,
"build_duration_seconds": self.stats.build_duration_seconds,
"git_repo_size_mb": self.stats.git_repo_size_mb,
"validation_passed": self.stats.validation_passed
},
"git_info": self._get_git_repository_info()
}
def main():
"""Example usage of the git repository builder"""
# Initialize builder
builder = GitRepositoryBuilder(Path("uscode-git-blame"))
logger.info("🚀 Starting USC git repository build")
try:
# Initialize repository
builder.initialize_repository(force=True)
# Execute commit plans
plans_file = Path("data/git_plans/test_commit_sequence.json")
if plans_file.exists():
builder.execute_commit_plans(plans_file)
else:
logger.warning(f"⚠️ No commit plans found at {plans_file}")
logger.info(" Creating minimal test commit...")
# Create a simple test commit
test_file = builder.repo_path / "test-section.md"
test_content = """# § 1. Test Section
This is a test section for demonstrating git blame functionality.
## Source
Test source for demonstration purposes.
---
**USC Section Metadata:**
- Section ID: `test-1-1`
- Title: 1
- Chapter: 1
- Enacted Through: Test
*Generated by USC Git Blame System*
"""
test_file.write_text(test_content)
# Commit the test file
builder._run_git_command(['add', '.'], "Add test file")
builder._run_git_command(['commit', '-m', 'Add test section for git blame validation'], "Create test commit")
# Validate git blame functionality
validation_success = builder.validate_git_blame()
# Get build summary
summary = builder.get_build_summary()
# Display results
print("\n" + "="*60)
print("🏛️ USC GIT REPOSITORY BUILD RESULTS")
print("="*60)
print(f"\nRepository: {summary['repository_path']}")
stats = summary['build_statistics']
print("\nBuild Statistics:")
print(f" Commits executed: {stats['commits_executed']}")
print(f" Files created: {stats['files_created']}")
print(f" Files modified: {stats['files_modified']}")
print(f" Files deleted: {stats['files_deleted']}")
print(f" Build duration: {stats['build_duration_seconds']:.2f} seconds")
print(f" Repository size: {stats['git_repo_size_mb']:.2f} MB")
git_info = summary['git_info']
print("\nGit Repository:")
print(f" Total commits: {git_info.get('commit_count', 0)}")
print(f" Total files: {git_info.get('file_count', 0)}")
if validation_success:
print("\n✅ Git blame validation: PASSED")
print("\nTry these commands:")
print(f" cd {builder.repo_path}")
print(" git log --oneline")
print(" git blame test-section.md")
else:
print("\n❌ Git blame validation: FAILED")
print("\n🎉 Repository build complete!")
except Exception as e:
logger.error(f"❌ Repository build failed: {e}")
print(f"\n❌ Build failed: {e}")
if __name__ == "__main__":
main()

338
datastore.py Normal file
View File

@@ -0,0 +1,338 @@
"""
Filesystem-based JSON datastore for US Code git repository system.
Provides persistent storage with validation and caching.
"""
import json
from datetime import datetime
from pathlib import Path
from typing import List, Optional, Dict, Any, Type, TypeVar, Generic
from pydantic import BaseModel
from models import (
PublicLaw, Sponsor, Bill, USCodeRelease, CongressionalSession,
GitCommitMetadata, APICache, RepositoryMetadata
)
T = TypeVar('T', bound=BaseModel)
class DataStore(Generic[T]):
"""Generic filesystem-based datastore for Pydantic models"""
def __init__(self, model_class: Type[T], base_path: Path, collection_name: str):
self.model_class = model_class
self.base_path = Path(base_path)
self.collection_name = collection_name
self.collection_path = self.base_path / collection_name
# Ensure directory exists
self.collection_path.mkdir(parents=True, exist_ok=True)
# Index file for quick lookups
self.index_file = self.collection_path / "_index.json"
self._index = self._load_index()
def _load_index(self) -> Dict[str, Dict[str, Any]]:
"""Load the index file"""
if self.index_file.exists():
with open(self.index_file, 'r') as f:
return json.load(f)
return {}
def _save_index(self):
"""Save the index file"""
with open(self.index_file, 'w') as f:
json.dump(self._index, f, indent=2, default=str)
def _get_file_path(self, key: str) -> Path:
"""Get file path for a given key"""
return self.collection_path / f"{key}.json"
def save(self, key: str, item: T, metadata: Optional[Dict[str, Any]] = None) -> bool:
"""Save an item to the datastore"""
try:
# Serialize the item
item_data = item.dict()
# Add metadata
file_data = {
"data": item_data,
"metadata": {
"saved_at": datetime.now().isoformat(),
"model_class": self.model_class.__name__,
**(metadata or {})
}
}
# Save to file
file_path = self._get_file_path(key)
with open(file_path, 'w') as f:
json.dump(file_data, f, indent=2, default=str)
# Update index
self._index[key] = {
"file_path": str(file_path.relative_to(self.base_path)),
"model_class": self.model_class.__name__,
"saved_at": datetime.now().isoformat(),
**(metadata or {})
}
self._save_index()
return True
except Exception as e:
print(f"[!] Error saving {key}: {e}")
return False
def load(self, key: str) -> Optional[T]:
"""Load an item from the datastore"""
try:
file_path = self._get_file_path(key)
if not file_path.exists():
return None
with open(file_path, 'r') as f:
file_data = json.load(f)
# Validate and create model instance
item_data = file_data.get("data", {})
return self.model_class(**item_data)
except Exception as e:
print(f"[!] Error loading {key}: {e}")
return None
def exists(self, key: str) -> bool:
"""Check if an item exists"""
return key in self._index
def list_keys(self) -> List[str]:
"""List all keys in the datastore"""
return list(self._index.keys())
def delete(self, key: str) -> bool:
"""Delete an item from the datastore"""
try:
file_path = self._get_file_path(key)
if file_path.exists():
file_path.unlink()
if key in self._index:
del self._index[key]
self._save_index()
return True
except Exception as e:
print(f"[!] Error deleting {key}: {e}")
return False
def count(self) -> int:
"""Count items in the datastore"""
return len(self._index)
def find_by_metadata(self, **filters) -> List[str]:
"""Find keys by metadata filters"""
matching_keys = []
for key, index_entry in self._index.items():
match = True
for filter_key, filter_value in filters.items():
if index_entry.get(filter_key) != filter_value:
match = False
break
if match:
matching_keys.append(key)
return matching_keys
class USCodeDataStore:
"""Main datastore for US Code repository data"""
def __init__(self, base_path: str = "data"):
self.base_path = Path(base_path)
self.base_path.mkdir(parents=True, exist_ok=True)
# Initialize individual datastores
self.public_laws = DataStore[PublicLaw](PublicLaw, self.base_path, "public_laws")
self.sponsors = DataStore[Sponsor](Sponsor, self.base_path, "sponsors")
self.bills = DataStore[Bill](Bill, self.base_path, "bills")
self.releases = DataStore[USCodeRelease](USCodeRelease, self.base_path, "releases")
self.sessions = DataStore[CongressionalSession](CongressionalSession, self.base_path, "sessions")
self.commits = DataStore[GitCommitMetadata](GitCommitMetadata, self.base_path, "commits")
self.api_cache = DataStore[APICache](APICache, self.base_path, "api_cache")
self.metadata = DataStore[RepositoryMetadata](RepositoryMetadata, self.base_path, "metadata")
# Public Law operations
def save_public_law(self, law: PublicLaw) -> bool:
"""Save a public law"""
key = f"{law.congress}-{law.law_number:03d}"
metadata = {
"congress": law.congress,
"law_number": law.law_number,
"enacted_date": law.enacted_date.isoformat()
}
return self.public_laws.save(key, law, metadata)
def get_public_law(self, congress: int, law_number: int) -> Optional[PublicLaw]:
"""Get a specific public law"""
key = f"{congress}-{law_number:03d}"
return self.public_laws.load(key)
def get_public_laws_by_congress(self, congress: int) -> List[PublicLaw]:
"""Get all public laws for a congress"""
keys = self.public_laws.find_by_metadata(congress=congress)
laws = []
for key in keys:
law = self.public_laws.load(key)
if law:
laws.append(law)
return sorted(laws, key=lambda x: x.law_number)
# Sponsor operations
def save_sponsor(self, sponsor: Sponsor) -> bool:
"""Save a sponsor"""
chamber_val = sponsor.chamber if isinstance(sponsor.chamber, str) else sponsor.chamber.value
party_val = sponsor.party if isinstance(sponsor.party, str) else sponsor.party.value
key = f"{chamber_val.lower()}_{sponsor.state}_{sponsor.last_name.lower()}_{sponsor.first_name.lower()}"
metadata = {
"chamber": chamber_val,
"state": sponsor.state,
"party": party_val,
"full_name": sponsor.full_name
}
return self.sponsors.save(key, sponsor, metadata)
def find_sponsor_by_name(self, full_name: str) -> Optional[Sponsor]:
"""Find a sponsor by full name"""
for key in self.sponsors.list_keys():
sponsor = self.sponsors.load(key)
if sponsor and sponsor.full_name == full_name:
return sponsor
return None
# API Cache operations
def save_api_cache(self, congress: int, law_number: int, response_data: Dict[str, Any], sponsor: Optional[Sponsor] = None) -> bool:
"""Save API cache entry"""
cache_key = f"{congress}-{law_number}"
cache_entry = APICache(
cache_key=cache_key,
congress=congress,
law_number=law_number,
cached_date=datetime.now(),
api_response=response_data,
sponsor_found=sponsor is not None,
sponsor=sponsor
)
return self.api_cache.save(cache_key, cache_entry)
def get_api_cache(self, congress: int, law_number: int) -> Optional[APICache]:
"""Get cached API response"""
cache_key = f"{congress}-{law_number}"
return self.api_cache.load(cache_key)
# US Code Release operations
def save_release(self, release: USCodeRelease) -> bool:
"""Save a US Code release"""
key = f"{release.public_law.congress}-{release.public_law.law_number:03d}"
metadata = {
"congress": release.public_law.congress,
"law_number": release.public_law.law_number,
"release_filename": release.release_filename
}
return self.releases.save(key, release, metadata)
def get_release(self, congress: int, law_number: int) -> Optional[USCodeRelease]:
"""Get a US Code release"""
key = f"{congress}-{law_number:03d}"
return self.releases.load(key)
# Git commit operations
def save_commit_metadata(self, commit: GitCommitMetadata) -> bool:
"""Save git commit metadata"""
key = commit.commit_hash[:8] # Use short hash as key
metadata = {
"congress": commit.public_law.congress,
"law_number": commit.public_law.law_number,
"commit_date": commit.commit_date.isoformat()
}
return self.commits.save(key, commit, metadata)
def get_commits_by_congress(self, congress: int) -> List[GitCommitMetadata]:
"""Get all commits for a congress"""
keys = self.commits.find_by_metadata(congress=congress)
commits = []
for key in keys:
commit = self.commits.load(key)
if commit:
commits.append(commit)
return sorted(commits, key=lambda x: x.commit_date)
# Bulk operations
def import_house_data(self, house_data_file: Path) -> int:
"""Import public laws from House JSON data"""
with open(house_data_file, 'r') as f:
data = json.load(f)
imported_count = 0
for law_data in data['public_laws']:
try:
from models import create_public_law_from_house_data
law = create_public_law_from_house_data(law_data)
if self.save_public_law(law):
imported_count += 1
except Exception as e:
print(f"[!] Error importing law {law_data}: {e}")
return imported_count
# Statistics and reporting
def get_statistics(self) -> Dict[str, Any]:
"""Get datastore statistics"""
return {
"public_laws": self.public_laws.count(),
"sponsors": self.sponsors.count(),
"bills": self.bills.count(),
"releases": self.releases.count(),
"sessions": self.sessions.count(),
"commits": self.commits.count(),
"api_cache_entries": self.api_cache.count(),
"total_files": sum([
self.public_laws.count(),
self.sponsors.count(),
self.bills.count(),
self.releases.count(),
self.sessions.count(),
self.commits.count(),
self.api_cache.count()
])
}
def validate_integrity(self) -> Dict[str, List[str]]:
"""Validate datastore integrity"""
issues = {
"missing_files": [],
"corrupted_files": [],
"orphaned_entries": []
}
# Check each datastore
for name, datastore in [
("public_laws", self.public_laws),
("sponsors", self.sponsors),
("bills", self.bills),
("releases", self.releases),
("sessions", self.sessions),
("commits", self.commits),
("api_cache", self.api_cache)
]:
for key in datastore.list_keys():
try:
item = datastore.load(key)
if item is None:
issues["missing_files"].append(f"{name}/{key}")
except Exception:
issues["corrupted_files"].append(f"{name}/{key}")
return issues

View File

@@ -0,0 +1,399 @@
U.S. Government Publishing Office Federal Digital System (FDsys) User Guide Document
================================================================================
## Bill Summaries XML Bulk Data
Prepared by: Programs, Strategy, and Technology
U.S. Government Publishing Office
January 2015
## Revision
- 1.0 January 2014 Version 1.0
House Bill Summaries
- 2.0 January 2015 Version 2.0
House and Senate Bill Summaries
## 1. Introduction
At the direction of the Appropriations Committee within the United States House of
Representatives, in support of the Legislative Branch Bulk Data Task Force, the Government
Publishing Office (GPO), the Library of Congress (LOC), the Clerk of the House, and the Secretary
of the Senate are making Bill Summaries in XML format available through the GPOs Federal
Digital System (FDsys) Bulk Data repository starting with the 113th Congress. The FDsys Bulk
Data repository for Bill Summaries is available at
<http://www.gpo.gov/fdsys/bulkdata/BILLSUM>.
### 1.1 Types of Bill Summaries
Bill summaries are summaries of bills or resolutions, as well as other document types associated
with the legislative history of a measure such as amendments, committee reports, conference
reports, or public laws (enacted bills or joint resolutions). A bill summary describes the most
significant provisions of a piece of legislation and details the effects the legislative text may have on
current law and Federal programs. Bill summaries are written as a result of a Congressional action
and may not always map to a printed bill version. Bill summaries are authored by the Congressional
Research Service (CRS) of the Library of Congress. As stated in Public Law 91-510 (2 USC 166
(d)(6)), one of the duties of CRS is "to prepare summaries and digests of bills and resolutions of a
public general nature introduced in the Senate or House of Representatives.”
#### Bills
- House Bill (HR)
- Senate Bill (S)
A bill is a legislative proposal before Congress. Bills from each house are assigned a number in
the order in which they are introduced, starting at the beginning of each Congress (first and
second sessions). Public bills pertain to matters that affect the general public or classes of
citizens, while private bills pertain to individual matters that affect individuals and organizations,
such as claims against the Government.
#### Joint Resolutions
- House Joint Resolution (HJRES)
- Senate Joint Resolution (SJRES)
A joint resolution is a legislative proposal that requires the approval of both houses and the
signature of the President, just as a bill does. Resolutions from each house are assigned a number
in the order in which they are introduced, starting at the beginning of each Congress (first and
second sessions). There is no real difference between a bill and a joint resolution. Joint
resolutions generally are used for limited matters, such as a single appropriation for a specific
purpose. They are also used to propose amendments to the Constitution.
1A joint resolution has the force of law, if approved. Joint resolutions become a part of the
Constitution when three-quarters of the states have ratified them; they do not require the
President's signature.
#### Concurrent Resolutions
- House Concurrent Resolution (HCONRES)
- Senate Concurrent Resolution (SCONRES)
A concurrent resolution is a legislative proposal that requires the approval of both houses but
does not require the signature of the President and does not have the force of law. Concurrent
resolutions generally are used to make or amend rules that apply to both houses. They are also
used to express the sentiments of both of the houses. For example, a concurrent resolution is used
to set the time of Congress' adjournment. It may also be used by Congress to convey
congratulations to another country on the anniversary of its independence.
#### Simple Resolutions
- House Simple Resolution (HRES)
- Senate Simple Resolution (SRES)
A simple resolution is a legislative proposal that addresses matters entirely within the prerogative
of one house or the other. It requires neither the approval of the other house nor the signature of
the President, and it does not have the force of law. Most simple resolutions concern the rules of
one house. They are also used to express the sentiments of a single house. For example, a simple
resolution may offer condolences to the family of a deceased member of Congress, or it may
express the sense of the Senate or House on foreign policy or other executive business.
Additional information about bill types can be found at
<http://www.gpo.gov/help/index.html#about_congressional_bills.htm>.
### 1.2 Scope of Bulk Data
The Bill Summaries bulk data collection on FDsys includes XML bills summaries from the 113 th
Congress forward.
### 1.3 Bulk Data Downloads
The Bulk Data repository is organized by Congress and bill type. A ZIP file is available for each
bill type and contains Bill Summaries XML files for that bill type within a specific Congress.
Each Bill Summaries XML file contains summaries of legislation under consideration for a
specific measure.
## 2. XML Descriptions
The following conventions are used in this document:
- XML element names are denoted with angled brackets and in courier. For example,
`<title>` is an XML element.
- XML attribute names are denoted with a “@” prefix and in courier. For example, @href
is an XML attribute.
### 2.1 Elements
- `<BillSummaries>`
Root element.
- `<item>`
Parent container for a single legislative measure.
- `<title>`
The latest title for the measure. It may be the official title or the short
title. It is contained within `<item>`.
- `<summary>`
Parent container for a single summary. It may appear one or more times in
the file. It is contained within `<item>`.
- `<action-date>`
The date on which a particular action occurred. The format is YYYYMMDD. It
is contained within `<summary>`.
- `<action-desc>`
The description of the action that took place to prompt the bill summary to
be written. It is contained within `<summary>`. This value is added by CRS.
See Section 3 of this document for a list of possible values.
- `<summary-text>`
This is the text of the summary written by the Congressional Research Service
of the Library of Congress. It is contained within `<summary>`. Values are
enclosed in a CDATA tag and contain HTML elements.
### 2.2 Attributes
- `@congress`
The number of the Congress. This is an attribute of `<item>`.
- `@measure-type`
The type of measure. This is an attribute of `<item>`. The measure type
abbreviations that can be found in bill summaries are hr, hjres, hconres,
hres, s, sconres, sres, and sjres.
See Section 1.1 of this document for a description of each measure type.
- `@measure-number`
The number associated with the measure. This is commonly referred to as the
bill number. This is an attribute of `<item>`.
- `@measure-id`
An ID assigned to the measure. This is an attribute of `<item>`.
Convention: “id” + Congress number + measure type abbreviation + measure
number
Example: id113hr910
The measure type abbreviations that can be found in bill summaries are
hr, hjres, hconres, hres, s, sconres, sres, and sjres.
See Section 1.1 of this document for a description of each measure type.
- `@originChamber`
The chamber in which the measure originated. This is an attribute of
`<item>`. Value will be HOUSE or SENATE.
- `@orig-publish-date`
The first date in which the bill summary file was published. The format is
YYYYMMDD. This is an attribute of `<item>`.
- `@update-date`
The date in which the material in the container element was last updated. The
format is YYYYMMDD. This is an attribute of `<item>` and `<summary>`.
- `@summary-id`
An ID assigned to the individual summary. This is an attribute of `<summary>`.
Convention: “id” + Congress number + measure type abbreviation + measure
cumber + the letter “v” for version + LOC action code for summaries
Example: id113hr910v28
The measure type abbreviations that can be found in bill summaries are hr,
hjres, hconres, hres, s, sconres, sres, and sjres.
See Section 3 of this document for a list of LOC action codes for summaries.
- `@currentChamber`
The chamber in which the action described in the `<action-desc>` element
occurred. This is an attribute of `<summary>`. Value will be HOUSE, SENATE,
or BOTH.
### 2.3. Sample Bill Summaries XML File
```
<BillSummaries>
<item congress="113" measure-type="hr" measure-number="910" measure-
id="id113hr910" originChamber="HOUSE" orig-publish-date="2013-02-28"
update-date="2013-09-03">
<title>Sikes Act Reauthorization Act of 2013</title>
<summary summary-id="id113hr910v28" currentChamber="HOUSE" update-
date="2013-09-03">
<action-date>2013-06-24</action-date>
<action-desc>Reported to House without amendment, Part I</action-desc>
<summary-text><![CDATA[ <p><b>Sikes Act Reauthorization Act of 2013 - Reauthorizes title I
of the Sikes Act (conservation programs on military installations) for FY2015-
FY2019.</b></p>]]></summary-text>
</summary>
<summary summary-id="id113hr910v00" currentChamber="HOUSE" update-
date="2013-02-28">
<action-date>2013-02-28</action-date>
<action-desc>Introduced in House</action-desc>
<summary-text><![CDATA[<p><b>(This measure has not been amended since it was introduced.
The summary of that version is repeated here.)</b></p> <p>Sikes Act Reauthorization Act of 2013 -
Reauthorizes title I of the Sikes Act (conservation programs on military installations) for FY2015-
FY2019.</p>]]></summary-text>
</summary>
</item>
<dublinCore xmlns:dc=”http://purl.org/dc/elements/1.1/”>
<dc:format>text/xml</dc:format>
<dc:language>EN</dc:language>
<dc:rights>Pursuant to Title 17 Section 105 of the United States Code, this file is not subject to
copyright protection and is in the public domain.</dc:rights>
<dc:contributor>Congressional Research Service, Library of Congress</dc:contributor>
<dc:description>This file contains bill summaries for federal legislation. A bill summary describes
the most significant provisions of a piece of legislation and details the effects the legislative text may
have on current law and federal programs. Bill summaries are authored by the Congressional Research
Service (CRS) of the Library of Congress. As stated in Public Law 91-510 (2 USC 166 (d)(6)), one of the
duties of CRS is "to prepare summaries and digests of bills and resolutions of a public general nature
introduced in the Senate or House of Representatives". For more information, refer to the User Guide that
accompanies this file.</dc:description>
</dublinCore>
</BillSummaries>
```
## 3. Mapping of LOC Action Codes, Action Description Text, and Version Codes
LOC Action Code for Summaries| Chamber | Text in the `<actiondesc>` Element | LOC Version Code
-----------------------------|---------|-----------------------------------------------------------------|-----------------
00 | HOUSE | Introduced in House | IH
00 | SENATE | Introduced in Senate | IS
01 | SENATE | Reported to Senate amended | RS
02 | SENATE | Reported to Senate amended, 1st committee reporting | RS
03 | SENATE | Reported to Senate amended, 2nd committee reporting | RS
04 | SENATE | Reported to Senate amended, 3rd committee reporting | RS
05 | SENATE | Reported to Senate amended, 4th committee reporting | RS
06 | SENATE | Reported to Senate amended, 5th committee reporting | RS
07 | SENATE | Reported to Senate amended, 6th committee reporting | RS
08 | SENATE | Reported to Senate amended, 7th committee reporting | RS
09 | SENATE | Reported to Senate amended, 8th committee reporting | RS
10 | SENATE | Reported to Senate amended, 9th committee reporting | RS
11 | SENATE | Reported to Senate amended, 10th committee reporting | RS
12 | SENATE | Reported to Senate without amendment, 1st committee reporting | RS
13 | SENATE | Reported to Senate without amendment, 2nd committee reporting | RS
14 | SENATE | Reported to Senate without amendment, 3rd committee reporting | RS
15 | SENATE | Reported to Senate without amendment, 4th committee reporting | RS
16 | SENATE | Reported to Senate without amendment, 5th committee reporting | RS
17 | HOUSE | Reported to House amended | RH
18 | HOUSE | Reported to House amended, Part I | RH
19 | HOUSE | Reported to House amended, Part II | RH
20 | HOUSE | Reported to House amended, Part III | RH
21 | HOUSE | Reported to House amended, Part IV | RH
22 | HOUSE | Reported to House amended, Part V | RH
23 | HOUSE | Reported to House amended, Part VI | RH
24 | HOUSE | Reported to House amended, Part VII | RH
25 | HOUSE | Reported to House amended, Part VIII | RH
26 | HOUSE | Reported to House amended, Part IX | RH
27 | HOUSE | Reported to House amended, Part X | RH
28 | HOUSE | Reported to House without amendment, Part I | RH
29 | HOUSE | Reported to House without amendment, Part II | RH
30 | HOUSE | Reported to House without amendment, Part III | RH
31 | HOUSE | Reported to House without amendment, Part IV | RH
32 | HOUSE | Reported to House without amendment, Part V | RH
33 | HOUSE | Laid on table in House | LTH
34 | SENATE | Indefinitely postponed in Senate | IPS
35 | SENATE | Passed Senate amended | ES
36 | HOUSE | Passed House amended | EH
37 | SENATE | Failed of passage in Senate | FPS
38 | HOUSE | Failed of passage in House | FPH
39 | HOUSE | Senate agreed to House amendment with amendment | ATS
40 | SENATE | House agreed to Senate amendment with amendment | ATH
41 | HOUSE | Senate disagreed to House amendment with amendment | NAT
42 | SENATE | House disagreed to Senate amendment with amendment | NAT
43 | HOUSE | Senate disagreed to House amendment | NAT
44 | SENATE | House disagreed to Senate amendment | NAT
45 | SENATE | Senate receded and concurred with amendment | AES
46 | HOUSE | House receded and concurred with amendment | EAH
47 | SENATE | Conference report filed in Senate | CONF-S
48 | HOUSE | Conference report filed in House | CONF-H
49 | BOTH | Public Law | LAW
50 | BOTH | Private Law | LAW
51 | BOTH | Line item veto by President | LINEITEMVETO
52 | SENATE | Passed Senate amended, 2nd occurrence | ES
53 | SENATE | Passed Senate amended, 3rd occurrence | ES
54 | HOUSE | Passed House amended, 2nd occurrence | EH
55 | HOUSE | Passed House amended, 3rd occurrence | EH
56 | SENATE | Senate vitiated passage of bill after amendment | PAV
57 | HOUSE | House vitiated passage of bill after amendment | PAV
58 | SENATE | Motion to recommit bill as amended in Senate | MOTION_R-S
59 | HOUSE | Motion to recommit bill as amended in House | MOTION_R-H
60 | SENATE | Senate agreed to House amendment with amendment, 2nd occurrence | ATS
61 | SENATE | Senate agreed to House amendment with amendment, 3rd occurrence | ATS
62 | HOUSE | House agreed to Senate amendment with amendment, 2nd occurrence | ATH
63 | HOUSE | House agreed to Senate amendment with amendment, 3rd occurrence | ATH
64 | SENATE | Senate receded and concurred with amendment, 2nd occurrence | AES
65 | SENATE | Senate receded and concurred with amendment, 3rd occurrence | AES
66 | HOUSE | House receded and concurred with amendment, 2nd occurrence | EAH
67 | HOUSE | House receded and concurred with amendment, 3rd occurrence | EAH
70 | HOUSE | Hearing scheduled in House | HRG-SCD-H
71 | SENATE | Hearing scheduled in Senate | HRG-SCD-S
72 | HOUSE | Hearing held in House | HRG-H
73 | SENATE | Hearing held in Senate | HRG-S
74 | HOUSE | Markup in House | MKUP-H
75 | SENATE | Markup in Senate | MKUP-S
76 | HOUSE | Rule reported to House | RULE-H
77 | HOUSE | Discharged from House committee | CDH
78 | SENATE | Discharged from Senate committee | CDS
79 | HOUSE | Reported to House, without amendment | RH
80 | SENATE | Reported to Senate without amendment | RS
81 | HOUSE | Passed House, without amendment | EH
82 | SENATE | Passed Senate, without amendment | ES
83 | SENATE | Conference report filed in Senate, 2nd conference report | CONF-S
84 | SENATE | Conference report filed in Senate, 3rd conference report | CONF-S
85 | SENATE | Conference report filed in Senate, 4th conference report | CONF-S
86 | HOUSE | Conference report filed in House, 2nd conference report | CONF-H
87 | HOUSE | Conference report filed in House, 3rd conference report | CONF-H
88 | HOUSE | Conference report filed in House, 4th conference report | CONF-H
## 4. Data Set
Bill Summaries data is provided to GPO by the Library of Congress, and XML files are available
for bulk data download on the FDsys Bulk Data repository starting with the 113th Congress
(2013-2014). Bill Summaries XML files are not available through FDsys search or browse; they
are only available in the FDsys Bulk Data repository.
In general, there are no restrictions on re-use of information in the Bill Summaries data set
because U.S. Government works are not subject to copyright protection and are in the public
domain. GPO and its legislative branch data partners do not restrict downstream uses of Bill
Summaries data, except that independent providers should be aware that only GPO and its
legislative branch data partners are entitled to represent that they are the providers of official Bill
Summaries data.
Bill Summaries XML files can be manipulated and enriched to operate in the various
applications that users may devise. GPO and its legislative branch data partners cannot vouch for
the authenticity of data that is not under GPOs control. GPO is providing free access to Bill
Summaries XML files for display in various applications and mash-ups outside the FDsys
domain. GPO does not endorse third party applications, and does not evaluate how the original
legal content is displayed on other sites. Consumers should form their own conclusions as to
whether the downloaded data can be relied upon within an application or mash-up.
## 5. Resources Directory
The resources directory at <http://www.gpo.gov/fdsys/bulkdata/BILLSUM/resources>
contains the *User Guide for Bill Summaries XML Bulk Data* in PDF form.

View File

@@ -0,0 +1,159 @@
U.S. Government Publishing Office Federal Digital System (FDsys) User Guide Document
==================================================================================
## Bills XML Bulk Data
Prepared by: Programs, Strategy and Technology
U.S. Government Printing Office
January 2015
### Revision History
- 1.0 December 2012 Version 1.0
House Bills
- 2.0 January 2015 Version 2.0
House and Senate Bills
## Introduction
At the direction of the Appropriations Committee within the United States House of
Representatives, in support of the Legislative Branch Bulk Data Task Force, the Government
Printing Office (GPO), the Library of Congress (LOC), the Clerk of the House, and the Secretary
of the Senate are making bills in XML format available through the GPOs Federal Digital
System (FDsys) Bulk Data repository starting with the 113th Congress. The FDsys Bulk Data
repository for bills is available at <http://www.gpo.gov/fdsys/bulkdata/BILLS>. Please see FDsys
at <http://www.fdsys.gov> for access to individual House and Senate Congressional Bills in PDF
and HTML formats.
### Types of Legislation
Four types of legislation are available on the Bulk Data repository. This section provides a brief
overview of each type of legislation.
#### Bills
- House Bill (HR)
- Senate Bill (S)
A bill is a legislative proposal before Congress. Bills from each house are assigned a number in
the order in which they are introduced, starting at the beginning of each Congress (first and
second sessions). Public bills pertain to matters that affect the general public or classes of
citizens, while private bills pertain to individual matters that affect individuals and organizations,
such as claims against the Government.
#### Joint Resolutions
- House Joint Resolution (HJRES)
- Senate Joint Resolution (SJRES)
A joint resolution is a legislative proposal that requires the approval of both houses and the
signature of the President, just as a bill does. Resolutions from each house are assigned a number
in the order in which they are introduced, starting at the beginning of each Congress (first and
second sessions). There is no real difference between a bill and a joint resolution. Joint
resolutions generally are used for limited matters, such as a single appropriation for a specific
purpose. They are also used to propose amendments to the Constitution. A joint resolution has
the force of law, if approved. Joint resolutions become a part of the Constitution when three-
quarters of the states have ratified them; they do not require the President's signature.
#### Concurrent Resolutions
- House Concurrent Resolution (HCONRES)
- Senate Concurrent Resolution (SCONRES)
A concurrent resolution is a legislative proposal that requires the approval of both houses but
does not require the signature of the President and does not have the force of law. Concurrent
resolutions generally are used to make or amend rules that apply to both houses. They are also
used to express the sentiments of both of the houses. For example, a concurrent resolution is used
to set the time of Congress' adjournment. It may also be used by Congress to convey
congratulations to another country on the anniversary of its independence.
#### Simple Resolutions
- House Simple Resolution (HRES)
- Senate Simple Resolution (SRES)
A simple resolution is a legislative proposal that addresses matters entirely within the prerogative
of one house or the other. It requires neither the approval of the other house nor the signature of
the President, and it does not have the force of law. Most simple resolutions concern the rules of
one house. They are also used to express the sentiments of a single house. For example, a simple
resolution may offer condolences to the family of a deceased member of Congress, or it may
give "advice" on foreign policy or other executive business.
Additional information about bill types and versions is available at
<http://www.gpo.gov/help/index.html#about_congressional_bills.htm>.
### Scope of Bulk Data
The Bills data collection on FDsys includes XML bill texts from the 113 th Congress forward.
### Bulk Data Downloads
The Bulk Data repository is organized by Congress, session, and bill type. A ZIP file is available
for each bill type and contains all bill XML files for that bill type within a specific session and
Congress.
## Authenticity of Bill XML Files
### Q. What is the data set available for bills in XML?
A. Bill files in XML are provided to GPO by the House of Representatives and Senate and are
available starting in 2013 with the 113th Congress.
### Q. How do the bulk XML files offered on the FDsys Bulk Data repository relate to the digitally signed PDF files available on FDsys?
A. GPO makes Congressional Bills from the 103rd Congress forward available on FDsys in
digitally signed PDF and HTML formats. Generally, House and Senate bills from the 111th
Congress forward are also available in XML on FDsys.
### Q. What does the term “digitally signed” mean?
A. Currently, GPO uses digital signature technology on PDF documents to add a visible Seal of
Authenticity (a graphic of an eagle) to authenticated and certified documents. The technology
allows GPO to assure data integrity, and provide users with assurance that the content is
unchanged since it was disseminated by GPO. A signed and certified document also displays a
blue ribbon icon near the Seal of Authenticity and in the Signatures tab within Adobe Acrobat or
Reader. When users print a document that has been signed and certified by GPO, the Seal of
Authenticity will automatically print on the document, but the blue ribbon will not print.
### Q. Are bill XML bulk data download files digitally signed?
A. No, XML files available for individual or bulk download are not digitally signed. They can be
manipulated and enriched to operate in the various applications that users may devise. GPO is
evaluating technology that could be used to digitally sign XML files on FDsys. Adding signed
non-PDF files to FDsys would be an enhancement for FDsys users, but would not be used to
restrict or adversely affect the XML bulk data downloads. The integrity of a bill XML file can be
verified by checking its SHA-256 hash value against the hash value recorded in the PREMIS
metadata file for each bill on FDsys.
### Q. What is the authenticity of bill XML files after they have been downloaded to another site?
A. We cannot vouch for the authenticity of data that is not under GPOs control. GPO is
providing free access to bill data via XML for display in various applications and mash-ups
outside the FDsys domain. GPO does not endorse third party applications, and does not evaluate
how our original legal content is displayed on other sites. Consumers should form their own
conclusions as to whether the downloaded data can be relied upon within an application or mash-
up. An application may link to the official bill files on FDsys to provide users with additional
assurance. The authenticated digitally-signed PDF is available on FDsys at
<http://www.fdsys.gov>.
### Q. Does GPO assert any control over downstream uses of bulk data?
A. In general, there are no restrictions on re-use of information in bills because U.S.
Government works are not subject to copyright. GPO does not restrict downstream uses of bill
data, except that independent providers should be aware that only GPO and its legislative
branch data partners are entitled to represent that they are the providers of the official versions of
bills.
### Q. How can re-publishers indicate the source of a bill XML file?
A. Re-publishers of bills in XML may cite FDsys and GPO as the source of their data, and they are free to characterize the quality of data as it appears on their site.
## Resources Directory
The resources directory at <http://www.gpo.gov/fdsys/bulkdata/BILLS/resources> contains the
current version of the DTD, stylesheets, and associated graphics which, when placed in the same
directory as a bill XML file, are used to display the XML file in a browser. Additional
information about bills in XML can be found at <http://xml.house.gov>.

116
download_cache.py Normal file
View File

@@ -0,0 +1,116 @@
import json
from venv import logger
import sys
import requests
from pathlib import Path
from typing import Any
GOV_BULK_SITE="https://www.govinfo.gov/bulkdata"
CACHE_DIR = "cache"
def scrape(page: str, cache_dir: Path):
"""
Main entry point for the scraping process.
This function orchestrates the scraping of various data sources.
"""
# Get page.
cached_page = cache_dir / "page.json"
if cached_page.exists():
with open(cached_page, 'r', encoding='utf-8') as f:
body = json.load(f)
else:
cache_dir.mkdir(parents=True, exist_ok=True)
try:
response = requests.get(page, headers={"User-Agent": "GitLawScraper/1.0", "Accept": "application/json"}, timeout=30)
response.raise_for_status()
if 'application/json' in response.headers.get('Content-Type', ''):
body = response.json()
with open(cached_page, 'w', encoding='utf-8') as f:
json.dump(body, f)
else:
print(f"Non-JSON response from {page}")
return
print(f"Cached resource: {page}")
except requests.RequestException as e:
print(f"❌ Failed to fetch resource {page}: {e}")
return
files: list[dict[str, Any]] = body.get('files', [])
# Look for a zip file if we're in a new directory.
in_new_dir = len(list(cache_dir.glob('*'))) == 1
if in_new_dir:
zip_file = next((f for f in files if f.get("mimeType") == "application/zip"), None)
if zip_file:
print(f"📦 Downloading zip file: {zip_file['link']}")
zip_url = zip_file.get('link')
if zip_url:
try:
# Download the zip file.
response = requests.get(zip_url, headers={"User-Agent": "GitLawScraper/1.0"}, timeout=30)
response.raise_for_status()
zip_path = cache_dir / zip_file['justFileName']
with open(zip_path, 'wb') as f:
f.write(response.content)
print(f"✅ Downloaded zip file: {zip_file['link']}")
# Unzip the file.
import zipfile
with zipfile.ZipFile(zip_path, 'r') as zip_ref:
zip_ref.extractall(cache_dir)
print(f"✅ Unzipped files to {cache_dir}")
except requests.RequestException as e:
print(f"❌ Failed to download zip file {zip_file['justFileName']}: {e}")
else:
print("No zip file found, continuing with individual files.")
for file in files:
# Download non-folder files directly.
if not file.get("folder", False):
url = file.get('link')
if url:
file_path = cache_dir / file['justFileName']
if file_path.exists():
print(f"✅ File already exists: {file['justFileName']}")
continue
print(f"📥 Downloading file: {file['justFileName']} from {url}")
try:
response = requests.get(url, headers={"User-Agent": "GitLawScraper/1.0"}, timeout=30)
response.raise_for_status()
with open(file_path, 'wb') as f:
f.write(response.content)
print(f"✅ Downloaded file: {file['justFileName']}")
except requests.RequestException as e:
print(f"❌ Failed to download file {file['justFileName']}: {e}")
continue
# Recursively scrape folders.
scrape(file['link'], cache_dir / file['justFileName'])
def main():
print("🚀 Starting scraping process for US Code data...")
cache_dir = Path(CACHE_DIR)
if not cache_dir.exists():
cache_dir.mkdir(parents=True, exist_ok=True)
try:
scrape("https://www.govinfo.gov/bulkdata/json/BILLS", cache_dir / "BILLS")
scrape("https://www.govinfo.gov/bulkdata/json/BILLSTATUS", cache_dir / "BILLSTATUS")
scrape("https://www.govinfo.gov/bulkdata/json/BILLSUM", cache_dir / "BILLSUM")
scrape("https://www.govinfo.gov/bulkdata/json/PLAW", cache_dir / "PLAW" )
scrape("https://www.govinfo.gov/bulkdata/json/STATUTES", cache_dir / "STATUTES" )
except Exception as e:
logger.error(f"❌ An error occurred during scraping: {e}")
sys.exit(1)
print("🎉 Scraping completed without errors")
if __name__ == "__main__":
main()

17
dtd/bill-dtd/.gitattributes vendored Normal file
View File

@@ -0,0 +1,17 @@
# Auto detect text files and perform LF normalization
* text=auto
# Custom for Visual Studio
*.cs diff=csharp
# Standard to msysgit
*.doc diff=astextplain
*.DOC diff=astextplain
*.docx diff=astextplain
*.DOCX diff=astextplain
*.dot diff=astextplain
*.DOT diff=astextplain
*.pdf diff=astextplain
*.PDF diff=astextplain
*.rtf diff=astextplain
*.RTF diff=astextplain

47
dtd/bill-dtd/.gitignore vendored Normal file
View File

@@ -0,0 +1,47 @@
# Windows image file caches
Thumbs.db
ehthumbs.db
# Folder config file
Desktop.ini
# Recycle Bin used on file shares
$RECYCLE.BIN/
# Windows Installer files
*.cab
*.msi
*.msm
*.msp
# Windows shortcuts
*.lnk
# =========================
# Operating System Files
# =========================
# OSX
# =========================
.DS_Store
.AppleDouble
.LSOverride
# Thumbnails
._*
# Files that might appear in the root of a volume
.DocumentRevisions-V100
.fseventsd
.Spotlight-V100
.TemporaryItems
.Trashes
.VolumeIcon.icns
# Directories potentially created on remote AFP share
.AppleDB
.AppleDesktop
Network Trash Folder
Temporary Items
.apdisk

8
dtd/bill-dtd/CODEOWNERS Normal file
View File

@@ -0,0 +1,8 @@
# This is a comment.
# Each line is a file pattern followed by one or more owners.
# These owners will be the default owners for everything in
# the repo. Unless a later match takes precedence,
# @global-owner1 and @global-owner2 will be requested for
# review when someone opens a pull request.
* @jonquandt @llaplant

View File

@@ -0,0 +1,3 @@
Please submit questions, comments, and requests for proposed changes by [opening an issue](https://github.com/usgpo/bill-dtd/issues/new).

31
dtd/bill-dtd/LICENSE.md Normal file
View File

@@ -0,0 +1,31 @@
Pursuant to [17 U.S.C. 105](https://api.fdsys.gov/link?collection=uscode&title=17&year=mostrecent&section=105), as a work of the United States Government, this project is in the public domain within the United States.
Additionally, we waive copyright and related rights in the work
worldwide through the CC0 1.0 Universal public domain dedication.
## CC0 1.0 Universal Summary
This is a human-readable summary of the
[Legal Code (read the full text)](https://creativecommons.org/publicdomain/zero/1.0/legalcode).
### No Copyright
The person who associated a work with this deed has dedicated the work to
the public domain by waiving all of his or her rights to the work worldwide
under copyright law, including all related and neighboring rights, to the
extent allowed by law.
You can copy, modify, distribute and perform the work, even for commercial
purposes, all without asking permission.
### Other Information
In no way are the patent or trademark rights of any person affected by CC0,
nor are the rights that other persons may have in the work or in how the
work is used, such as publicity or privacy rights.
Unless expressly stated otherwise, the person who associated a work with
this deed makes no warranties about the work, and disclaims liability for
all uses of the work, to the fullest extent permitted by applicable law.
When using or citing the work, you should not imply endorsement by the
author or the affirmer.

3
dtd/bill-dtd/README.md Normal file
View File

@@ -0,0 +1,3 @@
# Bill DTD #
In support of the Legislative Branch XML Working Group, the Government Publishing Office (GPO) is making the XML DTDs for Congressional bills, amendments, and resolutions available as an authoritative source on GitHub. Please see [xml.house.gov](http://xml.house.gov) for additional information.

2918
dtd/bill-dtd/amend.dtd Normal file

File diff suppressed because it is too large Load Diff

1872
dtd/bill-dtd/bill.dtd Normal file

File diff suppressed because it is too large Load Diff

2880
dtd/bill-dtd/res.dtd Normal file

File diff suppressed because it is too large Load Diff

18
dtd/uslm/.gitattributes vendored Normal file
View File

@@ -0,0 +1,18 @@
# Auto detect text files and perform LF normalization
* text=auto
# Custom for Visual Studio
*.cs diff=csharp
# Standard to msysgit
*.doc diff=astextplain
*.DOC diff=astextplain
*.docx diff=astextplain
*.DOCX diff=astextplain
*.dot diff=astextplain
*.DOT diff=astextplain
*.pdf diff=astextplain
*.PDF diff=astextplain
*.rtf diff=astextplain
*.RTF diff=astextplain

48
dtd/uslm/.gitignore vendored Normal file
View File

@@ -0,0 +1,48 @@
# Windows image file caches
Thumbs.db
ehthumbs.db
# Folder config file
Desktop.ini
# Recycle Bin used on file shares
$RECYCLE.BIN/
# Windows Installer files
*.cab
*.msi
*.msm
*.msp
# Windows shortcuts
*.lnk
# =========================
# Operating System Files
# =========================
# OSX
# =========================
.DS_Store
.AppleDouble
.LSOverride
# Thumbnails
._*
# Files that might appear in the root of a volume
.DocumentRevisions-V100
.fseventsd
.Spotlight-V100
.TemporaryItems
.Trashes
.VolumeIcon.icns
# Directories potentially created on remote AFP share
.AppleDB
.AppleDesktop
Network Trash Folder
Temporary Items
.apdisk

166
dtd/uslm/CHANGELOG.md Normal file
View File

@@ -0,0 +1,166 @@
## Proposed Changes ##
N/A
## Approved Changes ##
2.1.0 - Approved version of uslm-2.1.0.xsd along with uslm-components-2.1.0.xsd, uslm-table-module-2.1.0.xsd, and uslm.css for the Remaining Bill Versions project.
The 2.1 schema series changes from the 2.0 schema series support the following three primary goals:
1. Add support for amendment document types.
2. Add and modify the schema to support the historical Statutes at Large project.
3. Constrain the allowed tagging to better support the original design intent of the schema and disallow unintended constructs.
Schema:
- Change the amendment document type.
- Add amendPreface, amendMeta, amendMain, and officialTitleAmendment elements.
- The amendMeta element extends the meta element to add the amendDegree and amendStage elements.
- The amendPreface element extends the preface element to add the draftingOffice element.
- The amendMain element model adds new elements amendmentInstruction and amendmentContent and defines the new attribute amendmentInstructionLineNumbering.
- Add the engrossedAmendment document type employing the content model of the amendment document type.
- The preface element content model has been expanded to match existing documents.
- Disallow the content element in the preface element content model in favor of a specific definition matching existing documents.
- Add PositionedNoteType as the type for the positioned notes, disallowing the content element in favor of elements that match existing documents.
- Change the ColumnType element definition to no longer be based on the ContentType element while ensuring it matches existing documents.
- Restrict the figure element content model to match existing documents while allowing for xhtml:img and MathML content.
- Change the ContentType type definition to remove the ability to add any element from a foreign namespace without using the foreign element as a wrapper with exceptions for xhtml:table, xhtml:img, and mathml:math.
- Replace the p element content model with a specific list of elements found in existing documents.
- Change the recital element definition to have a more complex content model to match existing documents.
- Restructure the XSD schema documents to facilitate schema processing.
- A single top-level XSD file imports component schema files (USLM, tables, MathML, and Senate metadata).
- References to other components internal to the component schemas are made by namespace only.
- Namespace references avoid potential circular reference issues during schema processing.
CSS:
Version: 2.33 2024-08-23
Previous version: Version 2.29 2024-03-18
- Adds styling for new engrossedAmendment and amendment document types.
- Adds styling for new amendMeta, amendPreface, amendMain elements.
- Adds styling for elements and attributes used in bills and resolutions in document stages prior to enrolled, particular those used in the preface.
- Adds styling for various layouts, such as side by side, for use in the statutes at large digitisation project.
- Resets docTitle styling to use the standard font instead of Old English.
- Handle multiple resolving clauses better.
- Add support for the hierarchical level placement of num and heading in appropriations style.
- Add support for sidenotes in tables.
- Add classes for reported bill styling.
- Use current syntax for `::before` pseudo-element.
- Add default styling for addedText and deletedText elements.
2.0.17 - Approved version of uslm-2.0.17.xsd along with corresponding update to table module for the Digitized Statutes at Large in USLM XML project.
Schema:
- Allow `<referenceMarker>` element to appear even when there is no hierarchical level designator (`<num>`element).
2.0.16 - Approved version of uslm-2.0.16.xsd along with corresponding update to table module for the Digitized Statutes at Large in USLM XML project.
Schema:
- Add `<firstPageHeading>` and `<firstPageSubheading>` to preface elements.
- Fix `numType` description to include alphanumeric num element values.
- Add `<role>` element to `<signatures>` element for groups of signatories.
- Add a `<referenceMarker>` element for the case that a level requires both a hierarchical level alphanumeric designation and a separate additional designation.
2.0.15 - Approved version of uslm-2.0.15.xsd along with corresponding update to table module for the Digitized Statutes at Large in USLM XML project.
Schema:
- Allow table in recital elements.
2.0.14 - Approved version of uslm-2.0.14.xsd along with corresponding update to table module for the Digitized Statutes at Large in USLM XML project.
Schema:
- Add MathML 3 schema.
- Number the table module for more precision.
2.0.13 - Approved version of uslm-2.0.13.xsd and uslm.css.
Documentation Changes:
- Clarified that the temporalId attribute is not currently used.
- Refined the discussion of language identifiers to match current practice, including compatibility with AKN.
- Improvements to the Basic Model description.
- Clarified that related documents in USLM2 are those added by the clerk or drafter, not every possible related document.
- Clarified that the `quotedContent` and `quotedText` elements are used in USC notes and bills amending law (not amendment documents).
- Defined `dc:date` usage in USLM2 more precisely.
Display:
- Added display style attributes indicating added or deleted content for use in bills, resolutions, and amendment documents prior to enrollment.
Content:
- Added the `endorsement` element for use in bills and resolutions prior to enrollment. The content model is similar to the preface content model.
- Loosened the content model to allow `resolvingClause` elements in more locations to match current usage.
- Allow a looser order of child elements in `signature` elements to match current usage.
- Added `constitutionalAmendment` document type.
- Allow `p` elements in action descriptions.
- Add a `centerRunningHead` element analogous to the `leftRunningHead` and `rightRunningHead` elements.
2.0.12 - Approved version of uslm-2.0.12.xsd along with corresponding update to table module.
Summary:
2.0.12 includes necessary change in tables for production, fixes to 2.0.11 to ensure validity of changes approved by stakeholders for additional bill stages, documentation updates, including notification of potential content model changes in the next minor (2.1) release.
Documentation Changes:
- Fixed various typos in the documentation in the schema.
Attribute Changes:
- Allowed attributes in other namespaces on several elements (`<date>`, table elements `<td>`, `<th>`, `<tr>`, `<tbody>`, `<tfoot>`, `<thead>`, `<caption>`, `<table>`).
- Allowed XmlSpecialAttrs, IdentificationGroup, and ClassificationGroup attributes on SignatureType.
Element Changes:
- Removed child elements from `<sponsor>` that were not intended to be allowed.
- Allowed the `<committee>` element in `<actionDescription>` as was intended.
- Allowed the USLM `<p>` element in table cells.
- Fixed problem with `<signature>` element not using SignatureType.
2.0.11 - Approved version of uslm-2.0.11.xsd along with corresponding update to table module.
Documentation Changes:
- Fixed numerous typos in the documentation in the schema.
- Clarified the documentation on identifiers used for specified versions of a document.
- Added the documentation that items are planned to be removed or changed in the upcoming 2.1 version of this schema:
- the definition of the amendment element (which was defined for USLM1) will change.
- the attributes occurrence, actionDate, pos, posText, posCount from the amendingAction element, since as far as we know, they are unused, will be removed.
- the leaders attribute on the column element was marked as deprecated and may be removed in 2.1.
Attribute Changes:
- Added the leaders attribute to the th element, as it is for the td element.
- Added the orientation attribute to tables and block elements to allow portrait or landscape orientation.
- Added the default value to the leaderAlign attribute.
- Added a display attribute to block elements with values yes or no.
- Added the attribute committeeId to the committee element.
Element Changes:
- Added a new element attestation to the list of allowed elements after the main element.
- Added relatedDocuments to the meta and preface elements to hold a set of relatedDocument elements that are related to each other, e.g., a report that consists of multiple parts.
- Added currentChamber, distributionCode to the meta and preface elements.
- Added notes to the list of allowed elements where note is allowed (preface, referenceItem, and inline elements).
- Allow mixed content in the signature element.
- Added elements sponsor, cosponsor, and nonsponsor to the actionDescription element.
2.0.10 - Approved version of uslm-2.0.10.xsd along with corresponding update to table module and CSS.
- Updated uslm.xsd to 2.0.10 for backward-compatibility support for U.S. Code Appendices in USLM 1 format.
- Updated uslm.css to 2.17 for improved footnote rendering, inEffect support, and to stay in sync with OLRC updates.
2.0.9 - Approved version of uslm-2.0.9.xsd with support for Statute Compilations (COMPS). Changes between 2.0.4 and 2.0.9.
- Removed use of dcterms namespace (for XMetal support)
- Added "inEffect" value to StatusEnum as the default
- Added new values to StyleTypeEnum from the @other-style DTD attribute
- Added "editorial" value to NoteTypeEnum
- Added "inEffect" attribute, similar to Comps dtd
- Added id and identifier attributes to tables
- Allow "editorialContent" in the preface
- Restore support for U.S. Code Appendix structures (was removed in 2.0.4)
- Add "listHeading" to lists
- Added "statuteCompilation" document type
- Added new propertyTypes: currentThroughPublicLaw, containsShortTitle, createdDate
- Allow mixed content in action element
2.0.4 - Approved version of uslm-2.0.4.xsd with added repealAndReserve amending action type, added support for nested lists, and signatures allowed at the end of levels. The “repealAndReserve” amending action type was added because we encountered a combined action within FR amendments. The support for nested lists was added because we encountered nested lists on the regulatory side, but not previously on the legislative side. The support for signatures at the end of levels was added because FR rules contain these when a rule involves multiple agencies.
2.0.3 - Approved version of uslm-2.0.3.xsd with updates for enrolled bills, public laws, Statutes at Large, Federal Register, and Code of Federal Regulations including use of processing instructions for white space and the foreign element for use in regulatory data.
2.0.0 - Approved version of uslm-2.0.0.xsd with updates for enrolled bills, public laws, Statutes at Large, Federal Register, and Code of Federal Regulations. See previous folder in the main branch.
1.0.18 - Approved version of USLM.xsd that was updated for House Manual and the addition of a version attribute. See previous folder in the main branch.

8
dtd/uslm/CODEOWNERS Normal file
View File

@@ -0,0 +1,8 @@
# This is a comment.
# Each line is a file pattern followed by one or more owners.
# These owners will be the default owners for everything in
# the repo. Unless a later match takes precedence,
# @global-owner1 and @global-owner2 will be requested for
# review when someone opens a pull request.
* @jonquandt @llaplant

3
dtd/uslm/CONTRIBUTING.md Normal file
View File

@@ -0,0 +1,3 @@
Please submit questions, comments, and requests for proposed changes by [opening an issue](https://github.com/usgpo/uslm/issues/new).

31
dtd/uslm/LICENSE.md Normal file
View File

@@ -0,0 +1,31 @@
Pursuant to [17 U.S.C. 105](https://api.fdsys.gov/link?collection=uscode&title=17&year=mostrecent&section=105), as a work of the United States Government, this project is in the public domain within the United States.
Additionally, we waive copyright and related rights in the work
worldwide through the CC0 1.0 Universal public domain dedication.
## CC0 1.0 Universal Summary
This is a human-readable summary of the
[Legal Code (read the full text)](https://creativecommons.org/publicdomain/zero/1.0/legalcode).
### No Copyright
The person who associated a work with this deed has dedicated the work to
the public domain by waiving all of his or her rights to the work worldwide
under copyright law, including all related and neighboring rights, to the
extent allowed by law.
You can copy, modify, distribute and perform the work, even for commercial
purposes, all without asking permission.
### Other Information
In no way are the patent or trademark rights of any person affected by CC0,
nor are the rights that other persons may have in the work or in how the
work is used, such as publicity or privacy rights.
Unless expressly stated otherwise, the person who associated a work with
this deed makes no warranties about the work, and disclaims liability for
all uses of the work, to the fullest extent permitted by applicable law.
When using or citing the work, you should not imply endorsement by the
author or the affirmer.

39
dtd/uslm/README.md Normal file
View File

@@ -0,0 +1,39 @@
>Versions 2.0.14, 2.0.15, 2.0.16, 2.0.17, and 2.1.0 of the schema are available in the [main branch](https://github.com/usgpo/uslm/tree/main).
>
>Version 2.33 of the CSS is available in the [main branch](https://github.com/usgpo/uslm/tree/main).
>
>Sample Bill files are available in the [main branch](https://github.com/usgpo/uslm/tree/main).
# USLM Schema #
In support of the United States Legislative Branch XML Working Group and in accordance with [2 U.S.C. 181](https://www.govinfo.gov/link/uscode/2/181), the Government Publishing Office (GPO) is making the United States Legislative Markup (USLM) XML schema available as an authoritative source on GitHub.
## Schema Versions ##
Approved versions of the schema are in the main branch. If there are proposed changes to the schema, the changes will be in a proposed branch as a new draft version of the schema. A major.minor.point structure is used to identify the schema version, and the schema version is recorded as an attribute at the root level. The point number is incremented to indicate a non-breaking change while the minor number is incremented to indicate a breaking change. Breaking changes will only be implemented after all other options have been exhausted. Please refer to [CHANGELOG.md](CHANGELOG.md) for a summary of changes.
## Proposed Branch ##
As needed, a proposed branch will be created from the main branch. In addition to the files from the main branch, the proposed branch may also contain draft versions of the USLM 2.x schema, draft sample files, and draft CSS files.
## User Guide and Review Guide ##
Please refer to the USLM User Guide in [PDF](USLM-User-Guide.pdf) or [Markdown](USLM-User-Guide.md), the USLM 2.x Review Guide in [PDF](USLM-2_0-Review-Guide-v2_0_12.pdf) or [Markdown](USLM-2_0-Review-Guide-v2_0_12.md), the USLM 2.0.17 Review Guide in [PDF](USLM-2_0-Review-Guide-2_0_17.pdf) or [Markdown](USLM-2_0-Review-Guide-2_0_17.md), and the USLM 2.1 Review Guide in [PDF](USLM-2_1-ReviewGuide.pdf) or [Markdown](USLM-2_1-ReviewGuide.md) for additional information about the schema.
## XML Working Group Schema Management Guidelines ##
The XML Working Group manages the USLM schema under the following guidelines.
* When changes are made to the schema as a result of ongoing XML modeling activities or other proposals, new point releases will be made available on GovInfo and in the Proposed branch of the USLM GitHub repository.
* Upon approval from the XML Working Group, USLM schema files in the USLM GitHub repository Proposed branch will be moved into the Main branch.
* Updates to the User Guide and other supporting materials in the USLM GitHub repository will be made as needed.
* As in the past, every effort will be made not to create breaking changes. If a breaking change is deemed necessary, the first digit in the version number will be incremented, and appropriate documentation will be created to describe the differences.
* All adopted versions of the schema will continue to be made available on GovInfo and in the USLM GitHub repository.
* USLM XML files may validate against any of the adopted schema versions.
## Feedback ##
To submit feedback, questions, or comments, please open a [GitHub issue](https://github.com/usgpo/uslm/issues).

View File

@@ -0,0 +1,186 @@
Prepared by: Government Publishing Office
Revised: September 26, 2024
# Contents
[1 Introduction [1](#introduction)](#introduction)
[2 Conventions Used in the User Guide
[2](#conventions-used-in-the-user-guide)](#conventions-used-in-the-user-guide)
[3 Brief USLM Background [3](#brief-uslm-background)](#brief-uslm-background)
[4 Existing Documentation
[4](#existing-documentation)](#existing-documentation)
[5 What Has Not Changed [5](#what-has-not-changed)](#what-has-not-changed)
[6 Schema Changes [6](#schema-changes)](#schema-changes)
[6.1 New Document Type [6.1](#new-document-type)](#new-document-type)
[6.2 New Elements [6.2](#new-elements)](#new-elements)
[6.3 New Attributes [6.3](#new-attributes)](#new-attributes)
[6.4 Mathematical Formulae
[6.4](#mathematical-formulae)](#mathematical-formulae)
[7 Feedback [7](#feedback)](#feedback)
# 1. Introduction
This Review Guide is intended to help readers to understand changes in the
2.0.17 version of the United States Legislative Markup (USLM) schema so that
they can provide meaningful feedback on the changes. This guide assumes that
the reader is familiar with the 2.0.12 version of the USLM schema and is
generally knowledgeable about XML schemas in XSD format. For more information
about the 2.0.12 and 1.0 versions of this schema, see section 4 of this
document for links to existing documentation.
This guide reflects USLM schema version 2.0.17.
# 2. Conventions Used in the User Guide
The following conventions are used in the User Guide:
- XML element names are denoted with angled brackets. For example, `<title>` is
an XML element.
- XML attribute names are denoted with an “@” prefix. For example, `@href` is an
XML attribute.
- Enumerated values are denoted in a fixed width font. For example, `landscape` is an enumeration.
- String values are denoted with double quotes. For example, `“title1-s1”` is a
string value.
- A new ***term*** being defined is shown in bold italic.
- A new **element** or **attribute** being defined is shown in bold.
# 3. Brief USLM Background
The USLM schema was first developed in 2013 by the Office of the Law Revision
Counsel of the U.S. House of Representatives (OLRC) in order to produce the
United States Code in XML. Since 2013, the OLRC regularly produces a USLM
version of the United States Code for download at
<http://uscode.house.gov/download/download.shtml>. The USLM version of the U.S.
Code is updated continuously as new laws are enacted.
The original goals of the USLM schema included:
1. *Allow existing titles of the United States Code to be converted into XML.*
2. *Support ongoing maintenance of the United States Code.*
3. *Support the drafting of new positive law codification bills and related
materials.*
4. *Provide a flexible foundation to meet future needs of Congress.*
5. *Compatibility with existing legislative documents in other XML formats.*
The 2.0.12 version of the USLM schema extended its use to the following
document sets:
- Enrolled Bills and Resolutions
- Public Laws
- Statutes at Large
- Statute Compilations
- Federal Register (FR)
- Code of Federal Regulations (CFR)
The 2.0.17 version of the USLM schema further extends its use to
- Bill and Resolution document stages prior to enrollment
- Older Statutes at Large volumes
# 4. Existing Documentation
User documentation for the 1.0 version of the schema can be found at
<https://github.com/usgpo/uslm/blob/main/USLM-User-Guide.pdf> and
<https://github.com/usgpo/uslm/blob/main/USLM-User-Guide.md>.
User documentation for the 2.0.12 version of the schema can be found at
<https://github.com/usgpo/uslm/blob/main/USLM-2_0-Review-Guide-v2_0_12.pdf> and
<https://github.com/usgpo/uslm/blob/main/USLM-2_0-Review-Guide-v2_0_12.md>.
The XSD schema and CSS stylesheets for online viewing can be downloaded at:
<http://uscode.house.gov/download/resources/schemaandcss.zip> and
<https://github.com/usgpo/uslm>. Note that the CSS stylesheet is informational
only. It produces a draft view of the documents.
Note: These resources and more are available on GPOs Developers Hub at
<https://www.govinfo.gov/developers>.
# 5. What Has Not Changed
Version 2.0.17 of USLM is an incremental change to the 2.0.12 schema. While
some new elements have been added and a few content models have been extended,
the fundamental design of the schema has not changed. Documents that were valid
in version 2.0.12 are also valid in version 2.0.17 of the USLM schema.
We have added one new document type, and a number of elements and attributes.
Some content models have been loosened to allow constructs that we have seen in
bill and resolution document stages prior to enrollment, and in older
Statutes at Large volumes.
# 6. Schema Changes
## 6.1 New Document Type
The **`<constitutionalAmendment>`** element is a document containing an
Amendment to the Constitution of the United States. It has the same structure
as other types of law documents.
## 6.2 New Elements
The `<leftRunningHead>` and `<rightRunningHead>` elements have been joined by a
**`<centerRunningHead>`** element.
The **`<endorsement>`** element is a new element used in bills and resolutions
prior to enrollment. It is found at the end of the document and contains a
selection of document metadata. It is usually printed sideways.
The **`<addedText>`** and **`<deletedText>`** elements are used to indicate
added or deleted content that amends a bill or resolution in amendment
documents and reported bills. The styling is determined by the attributes set
on the committee whose ID is used in the `@origin` attribute of the content.
The existing elements `<quotedText>` and `<quotedContent>` are used to indicate
amendments to law.
The `<preface>` element now allows two new elements: **`<firstPageHeading>`**
and **`<firstPageSubheading>`**.
A **`<referenceMarker>`** element is allowed with or instead of a `<num>`
element for cases when a level requires a non-hierarchical designation with or
instead of the usual hierarchical designation.
## 6.3 New Attributes
The **`@addedDisplayStyle`** and **`@deletedDisplayStyle`** attributes declare
the styles used in bills, resolutions, and amendment documents prior to
enrollment to indicate added or deleted content that amends bills and
resolutions. These attributes are set on the `committee` element defining the
committee that produced the reported bill or amendments document.
## 6.4 Mathematical Formulae
USLM 2.0.17 incorporates the MathML 3 schema. This provides support for
representing most mathematical formulae.
# 7. Feedback
To submit feedback, questions, or comments about the USLM 2.0.17 schema and
this Review Guide, please open a GitHub issue at
<https://github.com/usgpo/uslm/issues>.

Binary file not shown.

Binary file not shown.

Binary file not shown.

View File

@@ -0,0 +1,618 @@
Prepared by: Government Publishing Office
Revised: April 11, 2023
# Contents
[1 Introduction](#introduction)
[2 Conventions Used in the User Guide](#conventions-used-in-the-user-guide)
[3 Brief USLM Background](#brief-uslm-background)
[4 Existing Documentation](#existing-documentation)
[5 What Has Not Changed](#what-has-not-changed)
[6 Schema Changes](#schema-changes)
[6.1 Changed Models](#changed-models)
[6.1.1 Table of Contents and Indexes](#table-of-contents-and-indexes)
[6.1.2 Notes](#notes)
[6.2 New Models](#new-models)
[6.2.1 Collections](#collections)
[6.2.2 Lists](#lists)
[6.2.3 Preface](#preface)
[6.2.4 Back Matter](#back-matter)
[6.2.5 Rule Preamble](#rule-preamble)
[6.2.6 Appropriations](#appropriations)
[6.3 New PropertyTypes](#new-propertytypes)
[6.4 New Attributes](#new-attributes)
[6.5 Model Extensions](#model-extensions)
[6.5.1 LawDoc](#lawdoc)
[6.5.2 Level](#level)
[6.5.3 HeadingStructure](#headingstructure)
[6.5.4 Amendments](#amendments)
[6.5.5 Appendix](#appendix)
[6.5.6 Signature](#signature)
[6.6 Tables](#tables)
[6.7 Document Actions](#document-actions)
[6.8 Document Titles](#document-titles)
[6.9 Content Tagging](#content-tagging)
[6.10 Page and Line Numbering](#page-and-line-numbering)
[6.11 Other New Elements](#other-new-elements)
[7 Feedback](#feedback)
[8 Appendix](#appendix-1)
# Introduction
This Review Guide is intended to help users to understand changes in the
2.0 version of the United States Legislative Markup (USLM) schema so
that users can provide meaningful feedback on the changes. This guide
assumes that the reader is familiar with the 1.0 version of the USLM
schema and is generally knowledgeable about XML schemas in XSD format.
For more information about the 1.0 version, see section 4 of this
document for links to existing documentation.
This guide reflects USLM schema version 2.0.12.
# Conventions Used in the User Guide
The following conventions are used in the User Guide:
- XML element names are denoted with angled brackets. For example,
\<title\> is an XML element.
- XML attribute names are denoted with an “@” prefix. For example, @href
is an XML attribute.
- Enumerated values are denoted in courier. For example, landscape is an
enumeration.
- String values are denoted with double quotes. For example, “title1-s1”
is a string value.
- A new ***term*** being defined is shown in bold italic.
- A new **element** or **attribute** being defined is shown in bold.
# Brief USLM Background
The USLM schema was first developed in 2013 by the Office of the Law
Revision Counsel of the U.S. House of Representatives (OLRC) in order to
produce the United States Code in XML. Since 2013, the OLRC regularly
produces a USLM version of the United States Code for download at
<http://uscode.house.gov/download/download.shtml>. The USLM version of
the U.S. Code is updated continuously as new laws are enacted.
The original goals of the USLM schema included:
1. *Allow existing titles of the United States Code to be converted
into XML.*
2. *Support ongoing maintenance of the United States Code.*
3. *Support the drafting of new positive law codification bills and
related materials.*
4. *Provide a flexible foundation to meet future needs of Congress.*
5. *Compatibility with existing legislative documents in other XML
formats.*
Building on the “flexible foundation” in goal number four above, the
Government Publishing Office (GPO) is coordinating the 2.0 update to
USLM that extends its use to the following document sets[^1]:
- Enrolled Bills
- Public Laws
- Statutes at Large
- Statute Compilations
- Federal Register (FR)
- Code of Federal Regulations (CFR)
# Existing Documentation
User documentation for the 1.0 version of the schema can be found at
<https://github.com/usgpo/uslm/blob/master/USLM-User-Guide.pdf> and
<https://github.com/usgpo/uslm/blob/master/USLM-User-Guide.md>.
The XSD schema and CSS stylesheets for online viewing can be downloaded
at: <http://uscode.house.gov/download/resources/schemaandcss.zip> and
<https://github.com/usgpo/uslm>. Note that the CSS stylesheet is
informational only. It produces a draft view of the documents.
Note: These resources and more are available on GPOs Developers Hub at
<https://www.govinfo.gov/developers>.
# What Has Not Changed
Version 2.0 of USLM is largely an incremental change to the schema.
While many new elements have been added and several content models have
been extended, the fundamental design of the schema has not changed. The
following principles, documented in the 1.0 User Guide, continue in
version 2.0:
- Abstract and Concrete Models
- Inheritance
- Attribute Model
- Core Document Model
- Metadata Model
- Hierarchy Model
- Versioning Model
- Presentation Model
- Relationship to HTML
- Identification Model
- Referencing Model
Many of these models have been extended to accommodate the additional
document types and their structures. These extensions are
backwards-compatible except in a few cases described below.
# Schema Changes
## Changed Models
The items described in this section are areas where the structure and
content of the new document types required modifications to the schema
model that are not compatible with the existing 1.0 model.
### Table of Contents and Indexes
The 1.0 model for a Table of Contents (ToC) was format-oriented, using
the \<layout\> tag as a tabular form with rows and columns. The new 2.0
model is semantic, where a ToC consists of a set of “items”.
There are three different types of items:
**\<**referenceItem**\>** *refers to specific content in the document
(versus a concept or a grouping). The referenceItem may also contain
lower level referenceItems if the content being referred to contains
lower level content.*
**\<**headingItem**\>** *a columnar-type heading for the items below it.
e.g. “Sec.” or “Page”. This is commonly repeated on following pages.*
**\<**groupItem**\>** *an item in a ToCIndex that collects a number of
referenceItems or other groupItems under a heading. The groupItem may or
may not refer to a specific place in the document. groupItems may also
contain nested groupItems.*
Each item may consist of one or more of the following elements:
**\<**designator**\>** *<span class="mark">a reference to a numbered
item in a table of contents or index.</span>*
**\<**label**\>** *<span class="mark">a textual reference in a table of
contents or index.</span>*
**\<**target**\>** *<span class="mark">a reference to the target in a
table of contents. This is used to provide various items in the last
column of the multiple column table of contents entry. It has the same
attributes as for references.</span>*
Below are two examples of this ToC model.
<img src="images-for-review-guide/image1.png"
style="width:6.5in;height:2.29931in" />
<img src="images-for-review-guide/image2.png"
style="width:6.21953in;height:2.58815in" />
This same model, using items, designators, labels and targets, is also
used for indexes that are found in legislative publications, such as the
Popular Name Index. Below is an illustration of how the model can be
used for an index.
<img src="images-for-review-guide/image3.png"
style="width:6.04833in;height:1.93017in" />
Elements of this type are:
> toc, **index, tableOfTitlesAndChapters, listOfAgencies,
> listOfSectionsAffected, listOfBillsEnacted, listOfPublicLaws,
> listOfPrivateLaws, listOfConcurrentResolutions, listOfProclamations,
> popularNameIndex, subjectIndex**
### Notes
In version 1.0 of the schema, all notes had the same model, including
footnotes and U.S. Code notes. The wider variety of notes in other
document types drove a new model that has two types of notes:
#### NoteType Elements
A regular NoteType element is rendered directly in the main content
flow. A U.S. Code note is an example of a NoteType element. Elements of
this type are:
> note, sourceCredit, statutoryNote, editorialNote, changeNote,
> **authority, source, effectiveDateNote, frDocID, billingCode,
> editionNote, organizationNote, citationNote, explanationNote,
> findingAidsNote**
#### PositionNotetype elements
The content of a PositionedNoteType element is rendered at a different
position from where it logically refers. A footnote is an example of a
positioned note. The positioned note has attributes for where it should
be rendered. Elements of this type are:
> footnote, **sidenote, leftRunningHead, rightRunningHead, ear**[^2]**,
> endMarker, page, line**
## New Models
### Collections
Some documents such as the Federal Register are a collection of other
sub-documents. In fact, a daily issue of the Federal Register is a
collection of collections. In order to support this type of document,
USLM 2.0 introduces a new “CollectionType” which is described as:
> ***The collection core type is the basic element in a document that is
> a collection of items, potentially from external sources. Collections
> may contain individual items and/or other collections.***
A \<collection\> will contain a set of \<component\> elements. The
\<component\> element acts as a wrapper for the individual document or
fragment of the collection. The \<component\> may directly contain the
content of the component, or it may point to the content by its @origin
attribute.
The following elements are instances of CollectionType:
> **notices, rules, proposedRules, presidentialDocs, agencyGroup,
> publicLaws, privateLaws, concurrentResolutions**
Below is an example of a collection used to group multiple
document-specific units in an issue of the Federal Register:
<img src="images-for-review-guide/image4.png"
style="width:6.5in;height:4.14444in" />
**
**
### Lists
USLM 1.0 does not have a model for lists. It depends on an external
namespace (XHTML) for them. Lists are common, and the requirements are
subtly different from XHTML. Thus, it was determined that USLM 2.0 needs
to have a simple model for them. The relevant elements are:
> **list, listHeading, listItem, listContent**
### Preface
The \<preface\> element is a container for rendered material that
precedes the main body of the document.
> ***Documents may optionally have a preface before the main body of the
> document. Some information in the preface may be duplicated in the
> meta section. The content in the meta section would be normalized,
> whereas the content in the preface would contain the text as it is
> rendered for the user.***
For instance:
\<meta\>\<congress\>115\</congress\>\</meta\>
\<preface\>\<congress\>One Hundred Fifteenth Congress of the United
States\</congress\>\</preface\>
The size and content of a preface can vary widely. For enrolled bills,
the preface includes the Bill ID, the congress and session, and the
enrolled dateline. The preface for a volume of a CFR title includes a
cover page with numerous items, several notes and notices, a Table of
Contents, publisher information, etc. See the illustration below. The
content model for \<preface\> allows the same PropertyType elements as
the \<meta\> section, a table of contents, notes, and other general
content. Examples of these preface elements are in the Appendix.
### Back Matter
Back matter includes indexes, glossaries, lists and other general matter
that may follow the end of the main body of the document. Back matter
does not include appendix material. The back matter of a volume of a CFR
title may be dozens of pages long and include the following: A note on
finding aids, Table of CFR Title and Chapters, List of Agencies, List of
sections affected, and an end marker.
### Rule Preamble
In the Federal Register, each rule has a rule preamble that usually
follows a regular pattern, typically ending with “words of issuance”.
### Appropriations
Appropriation bills have unique constructs when compared to other
legislative proposals. USLM 2.0 adds elements and attributes to capture
the structure and data behind an appropriation account in an
appropriation act.
> ***The \<appropriations\> element is used for nesting the various
> levels of appropriation agencies, bureaus, and departments, as well as
> the various budget areas within agencies, bureaus, and departments.
> The level attribute is used to distinguish major, intermediate, and
> small levels of appropriation language.***
Appropriation attributes:
@level ***The level attribute specifies which level the appropriations
element is. This corresponds to major, intermediate, and small in the
Bill DTD.***
@forType ***The forType attribute defines which type of budget grouping
the appropriation is for (for example, agency, bureau, or account).***
@forvalue ***The forValue attribute defines which budget grouping the
appropriation is for. This could be a URI that points to a web page
giving details of the agency or account, for example.***
## New PropertyTypes
USLM 2.0 defines many more PropertyType elements. These elements are
typically found in the meta and/or preface section of a document and
capture important metadata about the document. This extension allows
modeling of the following new document properties:
> **docStage, docPart, publicPrivate, congress, session, citableAs,
> enrolledDateline, starPrint, processedBy, actionDescription,
> actionInstruction, organization, volume, issue, startingPage,
> endingPage, startingProvision, endingProvision, provisionRange,
> affected, subject, coverTitle, coverText, currentThroughPublicLaw,
> containsShortTitle, createdDate, currentChamber, distributionCode,
> relatedDocument, relatedDocuments**
## New Attributes
A number of new attributes are introduced in USLM 2.0, including:
@styleType *The @styleType attribute is used to set the overall semantic
type of the block. This has rendering implications. Only a predefined
set of values is allowed, which were carried over from Bill DTD and Comp
DTD styles, such as “OLC” and “USC”.*
@scope *Use the @scope attribute to specify the scope within which the
@identifier attribute is valid. Typically, @scope is formatted as a URL,
referring to a specific context. @scope is used for terms within in
definitions to specify the scope of the definition.*
@legisDate *The @legisDate attribute is used for a logical legislative
date, which may be different from the calendar date.*
@verticalSpace *The @verticalSpace attribute indicates the amount of
vertical space associated with a line break (\<br\>) element. If the
attribute is not present, single line (i.e. the next line) is the
default. If the attribute is present, the value is the amount of space
to allow, in addition to the normal position of the next line. The value
may specify units, using CSS syntax (e.g. "4em" or "12pt"). If no units
are given, the units are assumed to be points. The values "nextPage" and
"nextColumn" are used to force a page break or column break.*
@inEffect *@inEffect is a Boolean attribute that is used for provisions
that are not in effect in the law at the time of the document
publication. This attribute is typically used in statute compilations.
The default is “true”.*
In addition to these USLM attributes, attributes from other namespaces
are allowed in various elements, including table elements.
## Model Extensions
The items in this section have been extended from USLM 1.0 for
compatibility. Both existing and new documents are valid against the
extended models.
### LawDoc
The U.S. Code titles have very little prefatory material before the main
body of text and no material after the end of the main body of text.
Some other legislative and regulatory documents have much more material
before and after the main text. To support this, the model for
LawDocType has been extended with optional elements as illustrated
below.
<img src="images-for-review-guide/image5.png"
style="width:4.15057in;height:2.18304in" />
An optional \<preface\> element (discussed above) may come before
\<main\>. The optional elements \<attestation\>, \<signatures\>,
\<notes\>, \<backmatter\>, and \<endMarker\> may follow \<main\> before
an \<appendix\>. This extension allows modelling of the following
documents:
> lawDoc, bill, resolution, uscDoc, **pLaw, statutesAtLarge, amendment,
> frDoc, rule, presidentialDoc, cfrDoc, statuteCompilation**
### Level
The “level” model, used in all hierarchical provisions, allows a more
flexible arrangement of num, heading, ToC, appropriations and appendix
elements within a level. For instance, a \<heading\> can precede \<num\>
which was not allowed in USLM 1.0.
### HeadingStructure
HeadingStructure now allows a more flexible arrangement of headings,
subheadings, and notes.
### Amendments
In order to allow the use of the element \<action\> in the context of
bill actions, the existing use of \<action\> within amendments has been
changed to \<amendingAction\>.
The existing action “renumber” was renamed “redesignate” to better match
the terminology used in Congress. Additional action of “conform” and
“unknown” were added.
### Appendix
The model for \<appendix\> was modified to better match actual appendix
instances (previously unused).
### Signature
The model for \<signatures\> was modified to better match actual
signature instances (previously unused). Elements were added for
**\<notation\>** and **\<autograph\>**.
## Tables
In USLM 1.0, the table model was not defined, and the use of XHTML
tables was encouraged. In USLM 2.0, the table model is still based on
XHTML, but it has been significantly customized to meet the needs of the
documents being modeled. The basic structure is XHTML 1.0, with the
standard \<table\>, \<caption\>, \<thead\>, \<tfoot\>, \<tbody\>,
\<colgroup\>, \<col\>, \<tr\>, and \<td\> elements taken from the XHTML
namespace. Inline, p, and note elements from USLM are allowed in table
cells along with character content. Attributes were added to match USLM
processing needs with similar names to those used in Bill DTD:
**@stubHierarchy**, **@textHierarchy**, **@blockStyle**, **@leaders**,
**@leaderAlign, @id, @identifier, @orientation**
## Document Actions
Legislative actions on a document were modelled more thoroughly.
Elements were added for **\<action\>**, **\<actionDescription\>**,
**\<actionInstruction\>, \<committee\>, \<sponsor\>, \<cosponsor\>,**
and **\<nonsponsor\>**.
An example of these elements in use from 115 HCONRES 18 ENR:
<span class="mark">\<action\>
\<actionDescription\>Agreed to\</actionDescription\>
\<date date="2017-02-10"\>February 10, 2017\</date\>
\</action\></span>
## Document Titles
Legislative document titles were modelled more thoroughly. Elements were
added for **\<longTitle\>**, **\<docTitle\>**, **\<officialTitle\>**,
and **\<shortTitle\>**.
An example of these elements in use from <span class="mark">115 HR 255
ENR:</span>
<span class="mark">\<longTitle\>An Act\</docTitle\>
\<officialTitle\>To authorize the National Science Foundation to support
entrepreneurial programs for women.\</officialTitle\>
\</longTitle\></span>
## Content Tagging
Two elements were added for general content tagging.
term *A \<term\> is a word or phrase that is being defined. The \<term\>
element surrounds the words for the term being defined. It is quite
possible for multiple \<term\> elements to be specified within a
definition. When a \<term\> is the words, in the alternate language,
then the xml:lang attribute must be used. \<term\> elements can also be
used for synonyms or near-synonyms which are also specified within the
definition. The containing element (such as a section) has a
@role="definitions" to indicate that definitions are contained within
it.*
entity *An \<entity\> is a generic inline element to identify a text
fragment introducing or referring to an ontological concept. This is
modelled after the Akoma Ntoso \<entity\> element. The @role attribute
can be used to distinguish the concept, for instance, a NAICS code or
SEC code would be \<entity @role="NAICS"\> or \<entity @role="SEC"\>.*
## Page and Line Numbering
**\<page\>** and **\<line\>** elements were introduced to note where
page and line boundaries occurred in a published document. These are
both typed as notes. The content models of some elements were modified
specifically to allow these elements to exist at the actual boundary
locations. Page and line numbers are used for citations and references
in some document types, for example page numbers for citations to
statutes at large.
## Other New Elements
The following new elements were added to support content found in the
new document types and in new stages of existing document types.
(StatementType) \<**resolvingClause\>**, **\<wordsOfIssuance\>**
(ContentType) \<**figure\>**, **\<figCaption\>**
(InlineType) \<**headingText\>**, **\<span\>**, **\<committee\>**
(all doc types) **\<attestation\>**
# Feedback
To submit feedback, questions, or comments about the USLM 2.0 schema and
this Review Guide, please open a GitHub issue at
<https://github.com/usgpo/uslm/issues>.
# Appendix
> <img src="images-for-review-guide/image6.png"
> style="width:6.07773in;height:7.14329in" />
Figure 1 Bill Preface
> <img src="images-for-review-guide/image7.png" style="width:6.5in;height:3.7125in" />
Figure 2 CFR Preface: Content displayed at the beginning of each CFR
title in the preface is shown, including the cover page, official
edition note, GPO and superintendent of documents notes, title contents,
citing note, explanation note, and this title note.
[^1]: *In 2017, the Government Publishing Office and the Office of the
Federal Register initiated a project to convert a subset of the
Federal Register and Code of Federal Regulations from SGML into USLM
XML. The regulatory project was carried out in parallel to a
legislative project to convert a subset of Enrolled Bills, Public
Laws, and the Statutes at Large from GPO locator-coded text into
USLM XML.*
[^2]: An ear contains text to be printed in the outside margin and is
used in the CFR.

Binary file not shown.

View File

@@ -0,0 +1,329 @@
Prepared by: Government Publishing Office \
Revised: October 8, 2024
# Introduction
This Review Guide is intended to help users to understand changes in the 2.1
version of the United States Legislative Markup (USLM) schema so that users can
provide meaningful feedback about the changes. This guide assumes that the
reader is familiar with the 1.0 and 2.0, 2.0.12, and 2.0.17 versions of the USLM schema and is
generally knowledgeable about XML schemas in XSD format. For more information
about previous versions, see the [Existing Documentation](#existing-documentation)
section of this document for links to existing documentation.
This guide reflects USLM schema version 2.1.0.
# Conventions Used in the User Guide
The following conventions are used in the User Guide:
- XML element names are denoted with angled brackets. For example,
`<title>` is an XML element.
- Groups of elements are denoted with a word followed by the word 'elements'.
For example, 'positioned note elements' includes any of the elements
`<footnote>`, `<sidenote>`, `<endnote>`, and `<ear>`.
- XML attribute names are denoted with an “`@`” prefix. For example, `@href`.
is an XML attribute.
- Enumerated values are denoted in a fixed width font. For example, `landscape` is an enumeration.
- String values are denoted with double quotes. For example, “`title1-s1`
is a string value.
- A new ***term*** being defined is shown in bold italic.
- A new **element** or **attribute** being defined is shown in bold.
# Brief USLM Background
The USLM schema was first developed in 2013 by the Office of the Law
Revision Counsel of the U.S. House of Representatives (OLRC) in order to
produce the United States Code in XML. Since 2013, the OLRC regularly
produces a USLM version of the United States Code for download at
<http://uscode.house.gov/download/download.shtml>. The USLM version of
the U.S. Code is updated continuously as new laws are enacted.
The original goals of the USLM schema included:
1. *Allow existing titles of the United States Code to be converted
into XML.*
2. *Support ongoing maintenance of the United States Code.*
3. *Support the drafting of new positive law codification bills and
related materials.*
4. *Provide a flexible foundation to meet future needs of Congress.*
5. *Compatibility with existing legislative documents in other XML
formats.*
Building on the “flexible foundation” in goal number four above, the
Government Publishing Office (GPO) released the 2.0 update to
USLM that extended its use to the following document sets:
- Enrolled Bills and Resolutions
- Public and Private Laws
- Statutes at Large
- Statute Compilations
- Federal Register (FR)
- Code of Federal Regulations (CFR)
The documentation for the USLM used in these document sets is in the 2.0.12
version of the Review Guide.
Further additions were made to USLM 2.0 to enable its use for bills and
resolutions in all document stages. This is documented in the 2.0.12 and 2.0.17
versions of the Review Guide.
The changes made to the USLM schema to support its use for amendment documents
are breaking changes, hence the 2.1 numbering.
# Existing Documentation
User documentation for the 1.0 version of the schema can be found at
<https://github.com/usgpo/uslm/blob/main/USLM-User-Guide.pdf> and
<https://github.com/usgpo/uslm/blob/main/USLM-User-Guide.md>.
User documentation for the 2.0 version of the schema, to version 2.0.12, can be found at
<https://github.com/usgpo/uslm/blob/main/USLM-2_0-Review-Guide-v2_0_12.md> and
<https://github.com/usgpo/uslm/blob/main/USLM-2_0-Review-Guide-v2_0_12.pdf>.
User documentation for the 2.0 version of the schema after 2.0.12, to version 2.0.17,
can be found at
<https://github.com/usgpo/uslm/blob/main/USLM-2_0-Review-Guide-2_0_17.md> and
<https://github.com/usgpo/uslm/blob/main/USLM-2_0-Review-Guide-2_0_17.pdf>.
The XSD schema and CSS stylesheets for online viewing can be downloaded
at: <http://uscode.house.gov/download/resources/schemaandcss.zip> and
<https://github.com/usgpo/uslm>. Note that the CSS stylesheet is
informational only. It produces a draft view of the documents.
Note: These resources and more are available on GPOs Developers Hub at
<https://www.govinfo.gov/developers>.
# What Has Not Changed
Version 2.1 of USLM is architecturally an incremental change to the schema.
While many new elements have been added and several content models have been
extended or modified, the fundamental design of the schema has not changed. The
following principles, documented in the 1.0 and 2.0 versions of the User Guide,
continue in version 2.1:
- Abstract and Concrete Models
- Inheritance
- Attribute Model
- Core Document Model
- Metadata Model
- Hierarchy Model
- Versioning Model
- Presentation Model
- Relationship to HTML
- Identification Model
- Referencing Model
Many of these models have been extended to accommodate the additional
document types and their structures. These extensions are
backwards-compatible except in a few cases described below.
# Schema Changes
## Changed Schema Document Structure
The XSD schema documents were restructured to facilitate schema processing. A single top-level XSD file imports the component schema files for USLM, tables, MathML, and chamber-specific metadata. References to other components internal to the component schemas are made by namespace only, which avoids potential circular reference issues during schema processing.
## Added Models
### Amendment Documents
Amendment documents have a structure that is unlike other legislative documents,
and require different metadata. For this reason the `<amendment>` document uses new elements that are equivalents to the existing `<meta>`, `<preface>`, and `<main>` elements, namely **`<amendMeta>`**, **`<amendPreface>`**, and **`<amendMain>`**. As in other legislative documents, the `<amendMeta>` element contains the machine-processable metadata, `<amendPreface>` the metadata that is rendered with the document, and `<amendMain>` the main content of the `<amendment>` document.
Within the `<amendMain>` element, the individual amendment instructions are delineated with **`<amendmentInstruction>`** elements, which contain a `<num>` for the amendment number, if present, and `<content>` for the content of the amendment instruction. The lines of content of the amendment instruction are always numbered; the instruction lines may be numbered depending on the value of the new **`@amendmentInstructionLineNumbering`** attribute on the `<amendMain>` element.
An example of an `<amendmentInstruction>` is
```xml
<amendmentInstruction><num>3</num><content>On page 4, line 11, add at the end of section 2(b) the following new paragraph:
<amendmentContent styleType="OLC">
<paragraph>
<num>(9)</num>
<content class="inline">Even public health programs do not consistently provide coverage for such treatments.</content>
</paragraph>
</amendmentContent>
</content>
</amendmentInstruction>
```
The **`<amendmentContent>`** element has the same content model as the `<quotedContent>` element, but is used for amendments to bills that are not yet law, reported bills, and amendment documents, whereas the `<quotedContent>` element is used for amending existing law.
### Engrossed Amendment Documents
Engrossed amendment documents have the same allowed content model as other amendment documents, but
use the **`<engrossedAmendment>`** element instead of the `<amendment>` element. The structure usually
differs from that used in other amendment documents.
### Chamber-specific Metadata
The House and the Senate each have specific metadata that they use in bills and resolutions before they are engrossed, which helps the workflow in each chamber. Since this metadata is specific to the chamber, the USLM 2.1 schema defines only the namespace of the metadata that the chamber can add to the `<meta>` and `<amendMeta>` element, and not the schema itself.
## Added Guidance for Usage
These are recommended guidelines. They are not enforced (and in many cases are unenforceable) by the schema but are considered best practice in the set of known documents for which USLM was designed and extended.
### Identifiers with Multiple Languages
A language-neutral identifier does not include a language code. To create an identifier for a specific language version of the document, include a language identifier using the three-letter system defined in ISO 639-2, as used by the Library of Congress, using the Bibliographic language code (B) where there is a choice. The accepted list is found at https://www.loc.gov/standards/iso639-2/php/code_list.php
For instance, the identifier for section 101 of the English version of Title 51 would be "/us/usc/t51@eng/s101". This should be used in conjunction with the xml:lang attribute with the correct value.
To make an identifier for a specified version of a provision or level, an "@" symbol is used. For instance, an identifier for section 101 of Title 51 on 1 February, 2013 would be "/us/usc/t51@2013-02-01/s101", which uses the ISO time reference system. The version specification could also be an arbitrary name or relative date, such as 'pre-1824' or 'v1.1.1'. A version string that is not a date must not begin with a number, to avoid confusion with dates. Version strings must be constructed solely with characters taken from the URI unreserved character set per RFC-3986 2.3.
For compability with AKN, or when including both a language and version specification, the "!" designator may also be used for a language-specific version of a provision instead of the "@" designator, e.g., "/us/stat/53/1561!nor" for the Norwegian version of "/us/stat/53/1561!eng".
When including both a language and a version specification, place the language specification ahead of the version specification. For instance to combine both examples above, the result would be "/us/usc/t51!eng@2013-02-01/s101" or "/us/usc/t51!eng@v1.1.1/s101".
### Hierarchical Law Levels
The standard patterns for hierarchical law levels begin with optional num and heading elements
in either order. There are two standard patterns for the content that follows those elements: \
- a `<content>` element, that does not contain subordinate law levels, or \
- an optional `<chapeau>` element, followed by one or more subordinate law
levels, followed by an optional `<continuation>` element.
## Changed Models
In parallel with the design work to extend the USLM schema for use with amendment documents,
the schema was refactored. The addition of many new elements and attributes since the
development of USLM 1.0 had resulted in the possibility of markup that did not follow
the intended model guidelines. In version 2.1 of the schema, the content models of
several elements were changed
to disallow some document structures that were never intended to be allowed, while
allowing for existing and expected document structures. As an example, in the 2.0 schema, the
`<content>` element allows any USLM or any element in any other namespace, in any
order, which can lead to documents that do not conform to expected usage. To counteract
this, the 2.1 schema no longer allows the `<content>` element in some elements where
it was previously allowed, and selected other elements no longer have the same content model
as the `<content>` element. For example, the positioned note elements no longer allow
the `<content>` element, and the `<figure>` element no longer has the same content model
as the `<content>` element. Also, the use of elements from other namespaces within
the `<content>` element has been restricted
(see [Content in non-USLM Namespaces](#content-in-non-uslm-namespaces)).
As a result, documents that conform to expected modeling patterns will continue to validate according to the 2.1 schema with rare exceptions, but documents that use unexpected modeling patterns and structures may not.
### Content in non-USLM Namespaces
USLM 2.0 uses definitions for the content of many elements which allowed elements in any namespace. The 2.0 model has the advantage of allowing discovery of content in other XML namespaces which various stakeholders might wish to include in a USLM document. Unfortunately, it has the corresponding disadvantage of presenting an impossible challenge to anyone required to process USLM content.
USLM 2.1 changes the definitions for these elements so that elements in namespaces other than USLM are not allowed.
There are some exceptions.
The `<mathml:math>`, `<xhtml:img>`, and `<xhtml:table>` elements are permitted in selected elements, such as the content group of elements. Chamber-specific metadata in the chamber-specific namespace is permitted in the `<meta>` element.
The `<foreign>` element, which is allowed in some elements, may contain content in a namespace other than the USLM namespace `http://schemas.gpo.gov/xml/uslm`. Aside from the specific exceptions, this is now the only way to include content in another namespace in a USLM document.
### Content Elements
The group of elements with the same expansive content model as the `<content>` element
is smaller in USLM 2.1 than in USLM 2.0. The `<figure>`, `<editorialContent>`,
`<column>`, and `<p>` elements and their substitution groups now have more appropriate
content models. The content group of elements in USLM 2.1 comprises the `<content>`, `<text>`, `<chapeau>`, `<continuation>`, and `<component>` elements, elements in the `quotedContent` group, and note elements.
Any USLM element is allowed in content elements, but elements in other namespaces must be contained by a `<foreign>` element. Exceptions are made for the elements `<mathml:math>`, `<xhtml:img>`, and `<xhtml:table>`, which may be direct children of content elements. See [Content in non-USLM Namespaces](#content-in-non-uslm-namespaces) for more details.
### Layout Element
The USLM 2.0 model for a `<layout>` element allows `<header>`, `<row>`, `<block>`, `<content>`, and `<NoteStructure>` elements.
The 2.1 model adds `<column>`, `<page>`, and `<coverText>` and **removes** the `<content>` element. USLM 2.0 documents which use content elements in layout structures will need to be adjusted to use 2.1 compatible markup.
The `<column>` element is no longer based on the `<content>` element and contains a specific list of allowed elements that permits known and expected usage.
### Meta Element
The `<dcterms>` namespace has been removed from the USLM 2.1.0 schema. In consequence, the `<dcterms:created>` element where it exists must be replaced with the new **`<createdDate>`** element.
### Preface Element
The `<preface>` element no longer allows the `<content>` element as a child. The list of allowed elements was expanded to permit known and expected usage.
### Editorial Content Element
The `<editorialContent>` element in current usage contains only text and `<toc>` elements, and the element model has been restricted to those choices.
### Figure Element
The `<figure>` element is no longer based on the `<content>` element. It allows the USLM and XHTML `<img>` elements, as well as the MathML `<math>` element, the `<figCaption>`, and `<page>` elements.
### Note Elements
A new note, the **`<drafterNote>`**, was added to the existing group of note elements. This is used by drafters to make notes while drafting bills. As with other note elements, it is based on the `<content>` element and thus can contain any USLM element.
### P Element
The `<p>` element is no longer based on the `<content>` element. It has a long list of specified elements that are allowed, as well as text content.
### Page and Line Elements
The `<page>` and `<line>` elements are no longer in the group of positioned note elements, as they have a more restricted content model. They allow inline elements and text content.
### Positioned Note Elements
These include `<footnote>`, `<sidenote>`, `<ear>`, and `<endnote>`. These notes are anchored at a specific location in the text, but their contents may float to another position when rendered. The `PositionedNoteType` is no longer a type of `Note`, but is a distinct type that does not allow the `<content>` element. As a consequence, `<footnote>` and other types of positioned note elements no longer allow the `<content>` element as a child element. Specific additions to the content model include `<xhtml:table>`, `<list>`, and `<img>`, as well as note elements other than positioned note elements. It is not permitted to nest positioned note elements. (You cannot, for example, put a footnote in an ear or an ear in an endnote.)
### Running Head Elements
The three elements `<leftRunningHead>`, `<centerRunningHead>`, and `<rightRunningHead>` are now in their own group, and can contain only text content, with additional attributes to specify rendering. The new **`<slugLine>`** element is also in this group, although the contents are rendered on the slug (footer) line rather than in the header of a printed page.
### Recital Element
The `<recital>` element in older Statutes at Large volumes is more complex than other types of statement elements, so the content model for `<recital>` elements was expanded to allow `<figure>`, `<xhtml:table>`, `<p>`, `<quotedText>`, and `<quotedContent>`, while excluding the `<content>` element.
### Statement Elements
The statement elements are `<docTitle>`, `<enactingFormula>`, `<longTitle>`, `<officialTitle>`, `<resolvingClause>`, `<statement>`, and `<wordsOfIssuance>`. The content model for statement elements has been simplified, allowing text content, `<marker>`, `<p>`, `<page>`, note elements, positioned notes, and inline elements.
### Scaling Brace Markup
The 2.0 model allows elements in arbitrary namespaces in many places. The 2.1 model does not so allow, and so the following use of MathML markup to represent a scaling brace used in 2.0 content:
```
<column><mo xmlns="http://www.w3.org/1998/Math/MathML" stretchy="true">}</mo></column>
```
must become:
```
<column><math xmlns="http://www.w3.org/1998/Math/MathML"><mo stretchy="true">}</mo></math></column>
```
since the USLM 2.1 model makes a specific namespace-other-than-USLM exception permitting the inclusion of the `<mathml:math>` element. Other elements in the MathML namespace must descend from the `<mathml:math>` element.
### Schema Scope
As use of the USLM schemas increases, different stakeholder groups with different objectives and requirements will use USLM to represent and process content. This introduces situations where different content rules are desirable. For example, markup that is acceptable or even necessary and desirable in a pre-introduced bill might not be acceptable in a passed bill. Representing this variation in the schema would introduce substantial overhead from complexity.
The stakeholders have agreed that the more appropriate approach going forward is to maintain the 2.* USLM schemas with only those restrictions which are applicable to all USLM users. Restrictions specific to a particular document set or to a processing mechanism will need to be implemented by mechanisms other than the official USLM XSD schemas.
# Feedback
To submit feedback, questions, or comments about the USLM 2.1 schema and
this Review Guide, please open a GitHub issue at
<https://github.com/usgpo/uslm/issues>.

Binary file not shown.

987
dtd/uslm/USLM-User-Guide.md Normal file
View File

@@ -0,0 +1,987 @@
# United States Legislative Markup
## User Guide for the USLM Schema
# 1 USLM
## 1.1 Overview
United States Legislative Markup (USLM) is an XML information model designed to represent the legislation of United States Congress. Initially, USLM is being used to produce titles of the United States Code in XML, but it is designed to be adaptable for appendices to titles of the United States Code as well as bills, resolutions, statutes, and certain other legislative materials. USLM is intended to meet the following needs:
1. Allow existing titles of the United States Code to be converted into XML.
2. Support ongoing maintenance of the United States Code.
3. Support the drafting of new positive law codification bills and related materials.
4. Provide a flexible foundation to meet future needs of the United States Congress.
5. Be compatible with other legislative documents that already exist in other XML formats.
This User Guide describes, at a high level, how USLM is designed and how it can be used. USLM is designed using the XML Schema Definition language (XSD). This User Guide is intended for individuals familiar with XSDs and with document information modeling. For more information on XSDs, see the W3C website at [http://www.w3.org/TR/2004/REC-xmlschema-0-20041028/](http://www.w3.org/TR/2004/REC-xmlschema-0-20041028/) and other reference materials on these subjects.
>**Note:** _Version 1.0 of XML Schema is used for USLM. A more recent version, V1.1, is available as a recommendation, but currently there is very limited tool support for the more recent version._
## 1.2 Principles
Following a 1999 feasibility study on XML/SGML[1] the Committee on House Administration adopted XML as a data standard for the exchange of legislative documents. As a result, the U.S. House of Representatives first publicly released Congressional bill data in XML in 2004. Since that time, a number of best practices and consistent approaches have evolved around the use of XML across various industries. To the greatest extent possible, the design of USLM leverages current best practices in legislative information modeling.
### 1.2.1 Model the Data as It Appears
To the greatest extent possible, text that is published is maintained in the main body of the document in the order it appears when presented in publication.
### 1.2.2 Leverage Existing Standards
To the greatest extent possible, established XML standards are incorporated into USLM. For example, XHTML[2] is used for tables and the Dublin Core[3] is used for metadata.
### 1.2.3 Element Text vs. Attributes
XML attributes are reserved for metadata and/or normalized representations of the element text. No attribute text should ever appear, as is, in any manifestation of a USLM document.
### 1.2.4 Generated Content
In general, generated text is avoided in USLM. Over the past decade, as Congress has gained experience with bill drafting in XML, drafters have found that the use of generated text can be problematic, particularly when working with existing law. This general rule does not prevent specific renderings that use the USLM data to generate supplemental display information, such as the header or footer of the printed versions.
## 1.3 Scope
USLM is designed to support a specific set of documents that are legislative in nature. While it is not a general model for documents outside this specific set, USLM may be applicable for Federal regulatory publications
### 1.3.1 Types of Documents Covered
USLM is designed to represent the legislation of United States Congress. Initially, USLM is being used to produce titles of the United States Code in XML, but it is designed to be adaptable for appendices to titles of the United States Code as well as bills, resolutions, statutes, and certain other legislative materials.
## 1.4 Goals
The USLM schema is defined with the following goals in mind:
1. **Ease of Learning** XML schemas can be difficult to learn and master. It may be quite difficult to envision how all the pieces fit together and how various cases are to be accommodated. In addition, the heavy use of jargon may complicate the picture. To counter this, USLM is designed to be learned incrementally and to favor legislative and end-user terminology over computer jargon. USLM is laid out to allow someone learning it to learn each stage separately and only progress to the next stage when the prior stage has been mastered.
2. **Extensibility** It is not possible to anticipate all the document structures that may arise in legislation. The sheer volume of data makes an exhaustive analysis of documents difficult, and it is impossible to predict all future needs for alternative legislative structures or drafting styles. A legislative schema must be able to evolve to allow changes to be incorporated, with a minimum of impact, in either a temporary or permanent way. USLM is designed, using XML Schema&#39;s inheritance mechanisms, to allow for easy extensibility.
3. **Editability** One of the greatest challenges when designing an XML-based information model is to define a model which can be used for editing. USLM is designed to support both completely-formed documents and the editing of documents under construction.
## 1.5 Conventions
Conventions are important for establishing consistency.
### 1.5.1 Conventions Used in the User Guide
The following conventions are used in the User Guide:
1. XML element names are denoted with angled brackets and in courier. For example, `<title>` is an XML element.
2. XML attribute names are denoted with an &quot;@&quot; prefix and in courier. For example, `@href` is an XML attribute.
3. Enumerated values are denoted in courier. For example, landscape is an enumeration.
4. String values are denoted with double quotes and in courier. For example, &quot;title1-s1&quot; is a string value.
5. A new **_term_** being defined is shown in bold italic.
### 1.5.2 Conventions Used in the XML
The conventions below are used in the XML schema and XML document instances. It is important that these conventions be adhered to when the information model is initially defined, when it is modified, and when instances of documents that conform to it are created.
#### 1.5.2.1 Namespaces
USLM supports the use of namespaces. XML provides a namespace mechanism to allow XML element names to be defined without naming collisions.
#### 1.5.2.2 Namespace URI
XML namespaces are associated with a URI (Uniform Resource Identifier) which is known to be unique. This URI acts as an identifier defining, unambiguously, to which model the element belongs. It is possible to define a namespace URI as either a URN URI (a naming convention) or a URL URI (a locating convention). In USLM, URL URIs are used as a convention, which is the most common current practice.
For USLM, the namespace URI is defined as the following URL:
http://xml.house.gov/schemas/uslm/1.0
#### 1.5.2.3 Namespace Prefix
Ordinarily, a namespace prefix is not necessary and should not be used. However, in cases where a namespace prefix is deemed necessary, the preferred prefix is &quot;USLM&quot;.
#### 1.5.2.4 Schema Versioning
A schema versioning model is defined for use in USLM documents. If USLM is modified, a new version number in the format &quot;n.n.n&quot; is assigned to the schema. The lower order digit is used to represent evolutionary additions to the schema, the next digit will change only if there is a an incompatible modification to the schema, often called a &quot;breaking change&quot; and the highest order digit will change if there is a major rewrite of the standard. Breaking changes will only be implemented after all other options have been exhausted. The schema version for a USLM document is identified using the version attribute on the root element.
>**Note:** _Schema changes will not be undertaken lightly. Changes can be costly and can severely impact systems that rely on the information model._
### 1.5.3 Naming
In USLM, naming conventions are used to promote consistency, cleaner design, and ease of use. In general, names are chosen to be short and to the point, while still conveying the primary purpose. Abbreviations are used only when the abbreviation is commonly accepted and not likely to cause confusion.
In general, one-word names are preferred. If necessary, two- or three-word names are used. Two-word names are in the form adjective + noun. For three-word names, the last word defines a general class or type.
#### 1.5.3.1 Type &amp; Groups
Type and group names are defined in UpperCamelCase. For example, IdentificationGroup is an attribute group and is expressed in a form where all the words start with an upper case character.
#### 1.5.3.2 Elements
Element names are defined in lowerCamelCase. For example, `<longTitle>` is an element name and is expressed in a form where all the words, except the first one, start with an upper case character.
#### 1.5.3.3 Attributes
Attribute names are defined in lowerCamelCase. For example, `@alignTo` is an attribute name and is expressed in a form where all the words, except the first one, start with an upper case character.
#### 1.5.3.4 Names and Identifiers
All `@temporalId` names are written in lower case, with underscore (&quot;\_&quot;) separators between significant portions of the name. All `@ids` are defined to be globally unique as GUIDS and, for compatibility reasons, start with the &quot;id&quot; prefix.
## 1.6 Relationship to XHTML
USLM leverages the XML version of HTML 4.0, commonly called XHTML. Many USLM attribute and element names purposely coincide with their XHTML equivalents.
### 1.6.1 Identity and locating attributes: id, idref, href, and src.
The `@id`, `@idref`, `@href`, and `@src` reference are identical to their XHTML equivalents.
### 1.6.2 Role attribute
The `@role` attribute is similar to the proposed `@role` attribute in XHTML and HTML5. It is used to provide additional semantic information about the purpose of an element. It is particularly useful with abstract elements that lack clear semantics.
### 1.6.3 Style attributes: class and style
The `@class` attribute is similar to its XHTML equivalent. It should be used to associate presentation classes, defined in a CSS file, with an element.
The `@style` attribute is used to specify instance-specific styling, as an override to the class specific styling. Its use in USLM is identical to that in XHTML.
The `@class` and `@style` attributes are explained in greater detail in section 9.2.
### 1.6.4 Generic elements
A number of elements in USLM are defined to be identical in name and function to elements in XHTML. This set is limited to elements that are likely to be needed within the main legislative language in situations where utilizing the XHTML namespace would be cumbersome or would prevent further use of the legislative structures available in USLM. In other cases where a USLM equivalent element is not defined, it is acceptable and recommended to use the XHTML element with the appropriate namespace information.
The elements borrowed from XHTML are: `<p>`, `<br>`, `<img>`, `<center>`, `<b>`, `<i>`, `<sub>`, `<sup>`, `<del>`, and `<ins>`. In addition to this set, there are other elements which share the same name as XHTML elements, but in those cases, the semantics behind the elements are either not completely similar or are totally different. Do not assume XHTML semantics merely because the element name coincides with an XHTML element name.
## 1.7 Relationship to Akoma Ntoso
USLM is not defined to be either a derivative or subset of Akoma Ntoso (http://www.akomantoso.org/). It would be premature to define USLM in that way while the effort is still underway in the OASIS (http://www.oasis-open.org/committees/legaldocml) standards group to establish Akoma Ntoso as the XML standard for legislative documents. However, USLM is designed to be consistent with Akoma Ntoso to the extent practicable. Many of the element and attribute names in USLM match the Akoma Ntoso equivalents. As Akoma Ntoso becomes a standard, and as demand for it emerges, it should be possible to produce an Akoma Ntoso XML rendition of a USLM document through a simple transformation.
## 1.8 External Dependencies
USLM has no dependencies on any other information model aside from the core XML model. However, the United States Code titles in USLM currently depend on the Dublin Core and XHTML namespaces. USLM supports the optional use of other information models to create composite documents made up of multiple namespaces. In particular, the use of the following information models is encouraged:
1. Dublin Core for metadata.
2. XHTML for tables and other loosely structure content.
3. MathML for equations.
4. SVG for vector graphics.
# 2 Abstract Model vs. Concrete Model
There are two basic document models in USLM - the abstract model and the concrete model:
- The abstract model is a general, highly flexible model defined using a minimum set of tags.
- The concrete model is derived from the abstract model, but it is narrower. The concrete model is defined to precisely model the United States Code. It exists as a simple derivation from the abstract model. While the abstract model uses general terminology, the concrete model uses specific terminology. The specific terminology used in the concrete model is based on well-established terminology used in the Office of the Law Revision Counsel, which produces the United States Code.
If a tag is defined in the abstract model, and it is sufficient for direct use, the tag is not redefined in the concrete model. The abstract tag is used in documents without change. For example, the `<num>` tag is defined in the abstract model and used without change in all documents. The inheritance technique discussed in section 4 is used to establish these two models.
# 3 Inheritance
**_Inheritance_** is a technique, available in many computer languages, to define a basic object with basic behavior and then produce specializations by adding or modifying the behaviors. Inheritance is also available in XML. There are two ways to implement inheritance in USLM:
1. In most situations, inheritance can be implemented in USLM using an approach inspired by the XML Schema approach. A base class is defined, and variants are derived from the base class to create new elements and modify the attribute and content models. The formality of this approach is an advantage. Adding classes requires a schema change, which constrains the creation of new classes without due consideration.
2. For anomalous situations occurring so infrequently that modification of the schema is unwarranted, inheritance can be implemented in USLM with an approach inspired by XHTML, using the `@role` attribute to create subclasses. The element name represents the base class, and the `@role` attribute value represents the subclass. This approach makes it easy to create subclasses without changing the schema. Although this method provides welcome flexibility for special cases, it should be used sparingly to avoid the creation of many poorly defined and poorly supported subclasses.
>**Note:** _There is a rough equivalence between the two approaches. For instance, `<level role="chapter">`_ _is roughly analogous to `<chapter>. However, there is no formal mechanism within XML to establish this equivalence._
## 3.1 Polymorphism
In a programming language, **_polymorphism_** is the ability to use an instance of a subclass wherever an instance of the base class is expected. XML schemas support polymorphism. However, in XML schemas, unlike programming languages, polymorphism is not an implicit capability that comes along with inheritance. In XML schemas, polymorphism is achieved by defining a base level element and then defining subclassed elements to be part of the base element's **substitution group**.
>**Note:** _In XML Schema V1.0, substitution groups have limitations that were put in place to prevent ambiguous situations from arising which might be difficult for a tool or program to understand. These limitations have been addressed in XML Schema V1.1. Unfortunately, XML Schema V1.1 has not yet been adopted widely enough to serve as the basis for USLM._
## 3.2 Anomalous Structures
Two issues drive the wide variety of legislative structures found in the United States Code.
First, the United States Code contains Federal law enacted over a period of centuries, and legislative drafting styles evolve over time. To handle this issue, the data is converted using the XML schema subclassing mechanism.
Second, some Federal statutes contain features that do not conform to any commonly accepted drafting style, past or present. To handle this issue, the data remains in the anomalous form, subclassed when possible using the `@role` attribute.
# 4 Abstract Model
## 4.1 Concept
The foundation of USLM is an abstract model that is designed to be a complete, but generic, legislative model using a minimum number of XML elements. It is possible to markup any U.S. bill or resolution or any title of the United States Code using the abstract model alone, albeit in a very general way.
The abstract model contains three basic sets of elements: the primitive set, the core set, and the generic set.
- The **primitive set** defines the fundamental building blocks used to construct everything else.
- The **core set** defines the basic document model.
- The **generic set** defines a basic set of general-purpose tags used to markup general structures.
## 4.2 Primitive Set
The primitive set is a set of four primitive elements that are the fundamental building blocks of the abstract model. All USLM elements can be traced back through the derivation hierarchy to one of the four primitive elements. The four primitive elements are the following:
| --- | Element | Description |
| --- | --- | --- |
| 1 | `<marker>` | A marker is an empty XML element. It is used to denote a location or position within an XML document. |
| 2 | `<inline>` | An inline is an XML element that can be placed within text content similar to an XHTML `<span>` element. An inline element can contain other inline elements, markers, or text. |
| 3 | `<block>` | A block is an XML element that is presented as a block-like structure and does not contain direct child text content. |
| 4 | `<content>` | A content is an XML element that is presented as a block-like structure and that can contain a mixture of text and XML elements. |
## 4.3 Core Set
The core set is a set of twenty-nine elements. Taken together, these twenty-nine core elements define the basic document model, which consists of six parts:
1. The root level document.
2. The metadata block.
3. The main document body (including a table of contents, statements, a preamble or enacting clause, and hierarchical levels).
4. A structure for references.
5. A structure for amendments.
6. A structure for any appendices.
The twenty-nine core elements that define the six-part basic document model are the following:
| --- | Element | Description |
| --- | --- | --- |
| 1 | `<lawDoc>` | The document root for a legislative document. |
| 2 | `<document>` | The document root for a loosely-structured non-legislative document. |
| 3 | `<meta>` | An optional container at the start of the document for metadata. |
| 4 | `<property>` | A piece of metadata, usually in the `<meta>` block. |
| 5 | `<set>` | A set of metadata, usually containing properties. |
| 6 | `<toc>` | A table of contents. |
| 7 | `<tocItem>` | An item within a table of contents. |
| 8 | `<main>` | The primary container for the body of the document. |
| 9 | `<statement>` | Any statement at the start of the document. |
| 10 | `<preamble>` | A collection of recitals, ending with an enacting formula at the start of the document. |
| 11 | `<recital>` | A clause within the preamble. |
| 12 | `<enactingFormula>` | The enactment words at the end of the preamble or found in place of a preamble if the preamble is omitted. |
| 13 | `<level>` | A hierarchical item within the document. |
| 14 | `<num>` | The number, letter, or alphanumeric combination assigned to a hierarchical level. |
| 15 | `<text>` | A block of text, to be used whenever text is required in a block level structure but a parent element is required to conform to the schema. This is a base class for the `<chapeau>` and the `<continuation>` elements. |
| 16 | `<heading>` | An optional name or designation of a level element. |
| 17 | `<subheading>` | An optional name or designation, to be used below a `<heading>`. |
| 18 | `<crossheading>` | Placed within and amongst heading levels to separate items within a level. |
| 19 | `<instruction>` | A container used to describe an amendment to legislation. Contains `<action>` elements, as well as the relevant `<quotedText>` or `<quotedContent>`. |
| 20 | `<action>` | Describes the change to be made in an `<instruction>` element. |
| 21 | `<notes>` | A container for `<note>`s. |
| 22 | `<note>` | An individual note. |
| 23 | `<appendix>` | A stand-alone appendix document, such as a United States Code title appendix, or an appendix at the end of the document. This can be either an embedded document or a referenced document. |
| 24 | `<signatures>` | A container for `<signature>`s. |
| 25 | `<signature>` | An individual signature, containing a name and, optionally, a role, affiliation, and/or date. |
| 26 | `<ref>` | A reference or link to another whole document, a specific location in another document, or another location within the same document. |
| 27 | `<date>` | A date. |
| 28 | `<quotedText>` | Plain text quoted from another document or intended to be placed, as stated, in another document. |
| 29 | `<quotedContent>` | Quoted content that may be plain text, XML elements, or text plus elements. The content may be quoted from another document or may be intended to be placed, as stated, in another document. |
## 4.4 Generic Set
The generic set defines a set of general-purpose tags used to markup basic structures. Many of the USLM generic elements are borrowed from XHTML, but exist within the USLM namespace because it is often impractical or impossible to use XHTML structures directly, such as when special legislative structures are embedded within general structures (or general structures are embedded within special legislative structures). In such instances, the USLM generic set is used. The USLM generic set includes the following:
| --- | Element | Description |
| --- | --- | --- |
| 1 | `<layout>` | A region to be presented in a column-oriented layout similar to a table. |
| 2 | `<header>` | A heading row in a `<layout>` structure. |
| 3 | `<row>` | A normal row in a `<layout>` structure. In general, this level can be omitted.
|
| 4 | `<column>` | A column cell in a `<layout>` structure. |
| 5 | `<p>` | A normal (unnumbered) paragraph. The semantics for a paragraph should be preserved. Do not use the `<p>` element as a general block like element.
|
| 6 | `<br>` | A line break. This element should only be used to force a line break when other more semantic elements are not sufficient to achieve the desired formatting.
|
| 7 | `<img>` | An embedded image. This is a marker element which points, via a URL, to the image to be embedded.
|
| 8 | `<center>` | Centered text. While this tag is deprecated in HTML 4.01, it is provided here for convenience as centering text is common.|
| 9 | `<fillIn>` | A region of text intended to be filled in on a form. |
| 10 | `<checkBox>` | A check box intended to be checked on a form. |
| 11 | `<b>` | Bold text. |
| 12 | `<i>` | Italic text. |
| 13 | `<sub>` | Subscripted text. |
| 14 | `<sup>` | Superscripted text. |
| 15 | `<del>` | Deleted text within a modification. |
| 16 | `<ins>` | Inserted text within a modification. |
## 4.5 Attribute Groups
The general-purpose attributes that are used in the abstract model (or in the concrete model derived from the abstract model) can be grouped into several categories.
### 4.5.1 Identification
The following attributes are used to identify elements in various ways. The identification group is a universal group and can be used on all elements.
| --- | Attribute | Description |
| --- | --- | --- |
| 1 | `@id` | An immutable (unchangeable) id assigned to an element upon creation. It should be preserved as is when an element is moved. However, when an element is copied, new values for all `@id` attributes in the copied fragment should be generated. |
| 2 | `@name` | A name assigned to an element that can be parameterized to support computation of a name or id a point in time. For example: &quot;s{num}&quot;. |
| 3 | `@temporalId` | An evolving name assigned to an element that reflects it current type and any numbering. |
| 4 | `@identifier` | Used on the root elements to specify the URL-based path reference to that element. The `@identifier` is specified as an absolute path (i.e. a path beginning with a single slash) in accordance to the rules of the Reference Model described in section 13. `@identifier` is an evolving identity and may only be valid for a specific time. |
### 4.5.2 Classification
The following attributes are used to classify elements. These are primarily used for informal subclassing and styling purposes.
| --- | Attribute | Description |
| --- | --- | --- |
| 1 | `@role` | Assigns a single semantic subclass to an element. This attribute is primarily for use with abstract elements, but may be used across all elements to provide a richer semantic association. |
| 2 | `@class` | Assigns one or more presentation classes to an element. These classes relate to CSS classes. |
| 3 | `@style` | Embeds CSS styles, particular to a specific instance, with the element. |
### 4.5.3 Annotation
The following attributes are used to annotate or mark elements, usually for editorial reasons. Attribute values are not shown in a published form. The annotation group is universal and can be used on all elements.
| --- | Attribute | Description |
| --- | --- | --- |
| 1 | `@note` | A simple text note not to be published. |
| 2 | `@alt` | An alternate description of an element. The `@alt` attribute is intended to map to the HTML `@alt` attribute for use with WCAG 2.0 and other accessibility initiatives. |
| 3 | `@meta` | An association with an element. How this attribute is used is not prescribed. |
| 4 | `@misc` | [Reserved for future use.] |
| 5 | `@draftingTip` | For internal use by the Offices of the Legislative Counsel of the U.S. House of Representatives or the U.S. Senate (or other entities in the legislative branch). |
| 6 | `@codificationTip` | For internal use by the Office of the Law Revision Counsel of the U.S. House of Representatives (or other entities in the legislative branch). |
### 4.5.4 Description
The following attributes are used to describe or categorize elements.
| --- | Attribute | Description |
| --- | --- | --- |
| 1 | `@title` | A short textual description of an item. |
| 2 | `@brief` | A longer textual description of an item. |
| 3 | `@sortOrder` | A numeric integer used to signify the order in which an item should appear with its siblings. |
### 4.5.5 Reference
The following attributes are used to establish pointers or references to other documents or locations within the same document.
| --- | Attribute | Description |
| --- | --- | --- |
| 1 | `@href` | A URL reference to another document or part of another document. The @href URL in USLM is generally a path beginning with a single slash. A &quot;resolver&quot;, described in section 13, maps between the path found in the URL and the full URL required to retrieve the target item. |
| 2 | `@idref` | A reference to an item within the same document, identified by specifying the value of the `@id` attribute for the target element. If the `@idref` points to a `<ref>` element, then the referencing attributes of the target element are inherited, in a recursive fashion. This concept is described in more detail later in section 13. |
| 3 | `@portion` | Specifies an additional part of a reference to be tacked onto the existing context of a reference (usually established through the `@idref`). If the `@portion` does not begin with a separator character (&quot;/&quot;, &quot;!&quot;, &quot;@&quot;), then a &quot;/&quot; is assumed. |
### 4.5.6 Action
The following attributes are used in amendments to declare how amendments are to be made.
| --- | Attribute | Description |
| --- | --- | --- |
| 1 | `@type` | Describes, through an enumerated value, the action being taken. |
| 2 | `@occurrence` | Describes which occurrence of an item on which the action is to be taken. |
| 3 | `@commencementDate` | Specifies the date on which the action is to be taken. |
### 4.5.7 Amending
Attributes used to point to items being amended. The amending group is used with the Reference Group and should be used only within amending instructions.
| --- | Attribute | Description |
| --- | --- | --- |
| 1 | `@pos` | Specifies a relative position in which an action is to occur, such as before or after the item being referenced. |
| 2 | `@posText` | Used in conjunction with the `@pos` attribute to specify a location. It specifies text within the referenced item that the `@pos` is relative to. |
| 3 | `@posCount` | Used in conjunction with the @posText attribute when an occurrence other than the first occurrence of a string of text is to be acted upon. In addition to specifying a particular instance, enumerated values are available to specify other sets, such as all. |
### 4.5.8 Link
The following attribute is used to link other documents or images intended to be embedded within the primary document.
| --- | Attribute | Description |
| --- | --- | --- |
| 1 | `@src` | A URL reference to a document, image, or other item to be embedded in a document. If `@src` contains an absolute path, it should be handled by a resolver, similar to an `@href` attribute. |
### 4.5.9 Value
The following attributes are used to hold normalized values computed from the text content.
| --- | Attribute | Description |
| --- | --- | --- |
| 1 | `@value` | A normalized value representing the content of the element. |
| 2 | `@startValue` | A normalized value representing the start of a range expressed in the content of the element. |
| 3 | `@endValue` | A normalized value representing the end of a range expressed in the content of the element. |
### 4.5.10 Date
The following attributes are used to hold normalized forms of date and time values computed from the text content. All date and date times are expressed as YYYY-MM-DD[Thh:mm:ss[Z|(+|-)hh:mm]].
| --- | Attribute | Description |
| --- | --- | --- |
| 1 | `@date` | A normalized date (or date and time) representing the content of the element. |
| 2 | `@beginDate` | A normalized date (or date and time) representing the start of a time/date range expressed as content of the element |
| 3 | `@endDate` | A normalized date (or date and time) representing the end of a time/date range expressed as content of the element |
### 4.5.11 Versioning
The following attributes are used to manage the temporal, or time-based, aspects of legislation and the law. All time/dates used in the versioning group use the same time/date format as the Date group.
| --- | Attribute | Description |
| --- | --- | --- |
| 1 | `@startPeriod` | The earliest date (or date and time) a version applies to. |
| 2 | `@endPeriod` | The latest date (or date and time) a version applies to. |
| 3 | `@status` | The state of a provision during the period. |
| 4 | `@partial | A Boolean specifying that the status is only partially in effect. |
### 4.5.12 Cell
The following attributes are used for managing column structures. The `@colspan` and `@rowspan` attributes are borrowed from HTML and follow HTML&#39;s all lowercase convention.
| --- | Attribute | Description |
| --- | --- | --- |
| 1 | `@colspan` | Specifies how many columns the current column cell should span. By default, a column cell only spans a single column. |
| 2 | `@rowspan` | Specifies how many rows the current column cell should span. By default, a column cell only spans a single row. |
| 3 | `@leaders` | Specifies a character to be used as a leader. Typically a dot leader (&quot;.&quot;) is used to create a series of dots. |
### 4.5.13 Note
The following attributes are used for positioning and categorizing individual notes and groups of notes.
| --- | Attribute | Description |
| --- | --- | --- |
| 1 | `@type` | When used within a note or a notes container, `@type` specifies the position of the note. Setting the `@type` attribute to &quot;footnote&quot; indicates that the note or notes contained should be shown in the footnotes at the end of the page and setting to &quot;endnote&quot; indicates that the note or notes contained should be shown at the end of the document. If not specified, &quot;footnote&quot; is assumed. For users of `@type` other than within notes, see below. |
| 2 | `@topic` | Specifies the focus of the notes. The `@topic` attribute is set to a string value in order to categorize the note or group of notes. An open, but enumerated, list of string values should be used. Using a fixed list of values will better aid in categorization of notes later. |
### 4.5.14 Other Attributes
The following are other miscellaneous attributes.
| --- | Attribute | Description |
| --- | --- | --- |
| 1 | `@xml:lang` | The language of the text contained. |
| 2 | `@xml:base` | A URL that can be used to resolve all URLs found in the document. USLM URLs are generally specified as absolute paths. This is to make USLM documents portable, allowing them to be rehosted in a different location without modification. The `@xml:base` provides a preferred location of a resolver capable of resolving the contained references. However, this location is only an advisory. It is be possible for a local system to determine its own preferred resolver location. |
| 3 | `@orientation` | Used to specify when a landscape orientation is to be used when the item is published. If not set, the default orientation is portrait. |
| 4 | `@type` | Specifies an enumerated categorization beyond the classing and subclassing provided by USLM. Different elements that use the `@type` attribute provide different enumerated values to use. The `@type` attribute is generally used when the classification defines procedural or programmatic behaviors that must be implemented in the system. |
# 5 Core Document Model
## 5.1 Concept
The core document model uses the core elements of the abstract model discussed above to define a simple model for constructing legislation or law with abstract elements. This model is summarized below. A number of details are omitted for the sake of brevity.
```xml
<?xml version="1.0" encoding="UTF-8">
<lawDoc
xmlns=http://xml.house.gov/schemas/uslm/1.0
xsi:schemaLocation"http://xml.house.gov/schemas/uslm/1.0
./USLM-1.0.xsd"
xml:base="http://resolver.mydomain.com"
identifier="/us/usc/t5">
<meta>
<property name=&quot;docTitle&quot;>…</property>
</meta>
<main>
<layout>
<header>Table of Contents</header>
<toc>
<tocItem title="Chapter 1">
<column>1.</column>
<column leaders=".">General Provisions</column>
<column>101</column>
</tocItem>
</toc>
</layout>
<level role=&quot;Chapter&quot;>
<num value=&quot;1&quot;>CHAPTER 1.</num>
<heading>General Provisions</heading>
<content>
...
</content>
</level>
</main>
</lawDoc>
```
## 5.2 Metadata
The metadata block, `<meta>`, is an optional block of named properties or sets of named properties at the start of the document. Properties are defined as simple strings. The metadata model is open and unconstrained to provide maximum flexibility.
Information found in the metadata block is generally not printed in the published form.
Some of the metadata may be generated through analysis of the main text of the document. Whenever the document is modified, this metadata is regenerated to accurately reflect the current state.
Metadata can be defined using (1) the abstract `<property>` and `<set>` elements, (2) the built-in `<docNumber>`, and other properties, or (3) elements defined in the Dublin Core.
## 5.3 Main
The main text of the document is contained in the `<main>` block. The main block will not have an `@id` or a `@name` attribute. References to items in the main body may skip or suppress the main level in the reference.
## 5.4 Appendices
An appendix can either follow the main part of a document or be a stand-alone document. To include an appendix as a stand-alone document, omit the `<main>` element and include the `<appendix>` element directly after the metadata. This technique is used for United States Code title appendices (e.g., Title 5 Appendix).
There can also be any number of appendices following the main part of the document. These may also be known as schedules, annexes, or explanatory notes/memoranda. An `<appendix>` element can either contain the content within the document or it can reference the content for inclusion using the `@src` attribute.
## 5.5 Signatures
Some documents contain signatures of the people who introduce, sponsor, or approve the legislation. The signatures are held in a `<signatures>` block, either at the top of the main part of the document or in the appendices.
## 5.6 Multiple Models
Models from multiple XML namespaces are used to construct a USLM document. The dcterms model is used for metadata. The XHTML model is used for tables. XHTML may also be used to mark the external document for inclusion within the larger legislative document. In the future, MathML may be used for equations and SVG may be used for vector graphics.
# 6 Concrete Model
## 6.1 Concept
The concrete model builds on the abstract model discussed in section 5 of this document. The concrete model implements a broad set of tags to meet specific semantic needs now and in the future. These tags are generally implemented as simple synonyms of the tags in the abstract model. This approach preserves the simplicity and flexibility of the abstract model.
## 6.2 Documents
| --- | **Element** | **Derived From** | **Contains** |
| --- | --- | --- | --- |
| 1 | `<bill>` | `<lawDoc>` | A proposed bill |
| 2 | `<statute>` | `<lawDoc>` | An enacted bill |
| 3 | `<resolution>` | `<lawDoc>` | A proposed resolution |
| 4 | `<amendment>` | `<lawDoc>` | A document containing a pre-enactment stage amendment |
| 5 | `<uscDoc>` | `<lawDoc>` | A title or appendix of the United States Code |
## 6.3 Properties
| | **Element** | **Derived From** | **Contains** |
| --- | --- | --- | --- |
| 1 | `<docNumber>` | `<property>` | A numeric designation assigned to the document |
| 2 | `<docPublicationName>` | `<property>` | The name of the publication that the document is part of |
| 3 | `<docReleasePoint>` | `<property>` | The point (i.e. the Public Law number for a United States Code title) at which the document was released |
## 6.4 Titles
| | **Element** | **Derived From** | **Contains** |
| --- | --- | --- | --- |
| 1 | `<docTitle>` | `<statement>` | A statement that precedes the long title in the bill |
| 2 | `<longTitle>` | `<statement>` | A statement that sets out the purposes of the bill |
| 3 | `<shortTitle>` | `<inline>` | The short title of a bill where it is first defined |
## 6.5 Levels
| | **Element** | **Derived From** | **Contains** |
| --- | --- | --- | --- |
| 1 | `<preliminary>` | `<level>` | A hierarchical region of the main document consisting of preliminary clauses that are outside of the main document hierarchy |
| 2 | `<title>` | `<level>` | A hierarchical level in a legislative document |
| 3 | `<subtitle>` | `<level>` | A level below `<title>` |
| 4 | `<chapter>` | `<level>` | A hierarchical level in a legislative document |
| 5 | `<subchapter>` | `<level>` | A level below `<chapter>` |
| 6 | `<part>` | `<level>` | A hierarchical level in a legislative document |
| 7 | `<subpart>` | `<level>` | A level below `<part>` |
| 8 | `<division>` | `<level>` | A hierarchical level in a legislative document |
| 9 | `<subdivision>` | `<level>` | A level below `<division>` |
| 10 | `<article>` | `<level>` | A hierarchical level in a legislative document |
| 11 | `<subarticle>` | `<level>` | A level below `<article>` |
| 12 | `<section>` | `<level>` | The primary hierarchical level in a `<title>` or `<bill>` |
| 13 | `<subsection>` | `<level>` | A level below `<section>`. Usually numbered with lower-case letters. |
| 14 | `<paragraph>` | `<level>` | A level below `<section>`,often below a `<subsection>`. Usually numbered with Arabic numbers. |
| 15 | `<subparagraph>` | `<level>` | A level below `<paragraph>`. Usually numbered with upper-case letters. |
| 16 | `<clause>` | `<level>` | A level below `<subparagraph>`. Usually numbered with lower-case Roman numerals. |
| 17 | `<subclause>` | `<level>` | A level below `<clause>`. Usually numbered with upper-case Roman numerals. |
| 18 | `<item>` | `<level>` | A level below `<subclause>`. Usually numbered with double lower-case letters. |
| 19 | `<subitem>` | `<level>` | A level below `<item>`. Usually numbered with double upper-case letters. |
| 20 | `<subsubitem>` | `<level>` | A level below `<subitem>`. Usually numbered with triple lower-case letters. |
| 21 | `<compiledAct>` | `<level>` | An act that is included in a title appendix. Amendments to these acts are typically compiled into the included act. |
| 22 | `<courtRules>` | `<level>` | A level container to hold a sequence of court rules. Found in title appendices. |
| 23 | `<courtRule>` | `<level>` | An individual court rule. Found in title appendices. |
| 24 | `<reorganizationPlans>` | `<level>` | A level container to hold a sequence of reorganization plans. Found in title appendices. |
| 25 | `<reorganizationPlan>` | `<level>` | An individual reorganization plan. Found in title appendices. |
## 6.6 Other Structures
| | **Element** | **Derived From** | **Contains** |
| --- | --- | --- | --- |
| 1 | `<def>` | `<text>` | One or more `<term>` elements, as well as their respective definitions
|
| 2 | `<term>` | `<inline>` | A term in the document that is being defined
|
| 3 | `<chapeau>` | `<text>` | Introductory text that comes before lower levels in a level hierarchy
|
| 4 | `<continuation>` | `<text>` | Final or interstitial text that comes after or between lower levels in a level hierarchy
|
| 5 | `<proviso>` | `<text>` | A paragraph of text, usually beginning with &quot;Provided that&quot; or &quot;Provided&quot;, that states conditions on the law to which it is related |
## 6.7 Notes
| | **Element** | **Derived From** | **Contains** |
| --- | --- | --- | --- |
| 1 | `<sourceCredit>` | `<note>` | Text containing the source of a provision, usually surrounded by parentheses
|
| 2 | `<statutoryNote>` | `<note>` | A note that becomes part of the law
|
| 3 | `<editorialNote>` | `<note>` | A note included for editorial purposes only
|
| 4 | `<changeNote>` | `<note>` | A note that records a non-substantive change that has been made to the document, usually surrounded by square brackets |
## 6.8 Signatures
| | **Example** | **Derived From** | |
| --- | --- | --- | --- |
| 1 | `<made>` | `<signature>` | The signatures of the people making the legislation
|
| 2 | `<approved>` | `<signature>` | The signatures of the people approving the document |
## 6.9 Appendices
| | **Example** | **Derived From** | |
| --- | --- | --- | --- |
| 1 | `<schedule>` | `<appendix>` | An appendix to a document, often a list of numbered items, a table, or another document |
# 7 Versioning Model
## 7.1 Concept
Legislative documents frequently evolve as existing provisions are repeatedly amended. Managing the versioning of legislative documents is a complex problem.
Rather than managing versioning by creating a whole new document every time an amendment is made, the versioning is instead managed in a more granular way. USLM is designed to allow a large degree of flexibility in how the versioning takes place. This allows for limitations in the short term and for greater sophistication as needs evolve.
## 7.2 Managing Versions
The USLM model for versioning allows versions to be handled in a hierarchical manner from the document root all the way down to individual provisions. In general, it is best to version at the lowest possible level of the hierarchy. This minimizes the likelihood of amendments overlapping in time, which would require the creation of different versions to handle the different states of the text through the overlapping time period.
In addition, if versioning is too high up in the hierarchy, then each new version will cause an entire copy of the lower levels to be generated. For this reason, it is preferable to push the versioning down to the lower parts of the level such as the `<num>` or the `<heading>` elements when versioning upper (or big) levels in legislative text.
When choosing a level at which to apply versioning, it must be possible for multiple versions of an element to coexist alongside one another. For this reason, the structure defined in the schema allows multiple instances of an element (maxOccurs=&quot;unbounded&quot;).
## 7.3 Temporal Periods
Alternate versions of the same item exist alongside one another within the same document, with each version being associated with a specific temporal period defined by the `@startPeriod` and `@endPeriod` attributes. In cases where one of these attributes is missing, then the same attribute found at a higher level in the document hierarchy applies. If no such attribute is found, then the time period is open-ended in that temporal direction.
The `@startPeriod` or `@endPeriod` can be defined as either a simple date or as datetime. When defined as a simple date, then midnight at the beginning of the date is assumed when establishing the correct instant for point-in-time calculations.
## 7.4 Status
The `@status` attribute is used to declare the status of a version. It is important to realize that the `@startPeriod` and `@endPeriod` are defining a time period for a version of an item and may not correspond to an effective date or repeal date.
Statuses in USLM include `proposed`, `withdrawn`, `cancelled`, `pending`, `operational`, `suspended`, `renumbered`, `repealed`, `expired`, `terminated`, `hadItsEffect`, `omitted`, `notAdopted`, `transferred`, `redesignated`, `reserved`, `vacant`, `crossReference`, and `unknown`.
# 8 Presentation Model
## 8.1 Concept
Presentation is based on concepts similar to XHTML. An overriding rule is to separate, as much as possible, the formatting of the text for publication from the semantic model. To the greatest extent possible, the XML elements of USLM reflect the semantic model rather than the formatting model. Some formatting elements related to presentation are included in the XML, such as the `<layout>` structure and the `<b>` and `<i>` elements. These formatting elements are provided for the sake of practicality.
Most styling is handled using Cascading StyleSheets (CSS), as is the case with modern HTML.
# 8.2 CSS Attributes
There are two primary attributes which are used to affect the presentation of the text:
| --- | **Attributes** | **Description** |
| --- | --- | --- |
| 1 | `@class` | The `@class` attribute is used, as in HTML, to identify CSS classes. |
| 2 | `@style` | The `@style` attribute is used to specify CSS attributes. Ordinarily, all presentation attributes should be specified in a separate CSS file. However, there are many legacy cases where individual instances do not follow the standard form for presentation of that element. In these cases, the converter should leave the non-standard formatting with the `@style` attribute where it can override the CSS attributes defined in the external stylesheet. |
## 8.3 HTML Representation
There is a straightforward method to transform a USLM-based XML document to and from HTML5. This approach is designed to maintain the integrity of the information. Bidirectional transformations can occur in a web-based editing environment without losing or changing any data.
The method to transform from USLM-based XML to HTML5 is as follows:
1. All XML elements based on the marker, inline, or string types are transformed into HTML5 `<span>` elements.
2. All XML elements based on the block or content types are transformed into HTML5 `<div>` elements.
3. The `<layout>` XML elements are translated into HTML5 `<table>` elements. The `<layout>` child elements become `<tr>` elements unless they are the USLM `<column>` elements. In that case , a single `<tr>` row is defined to contain the columns, and the `<column>` elements become `<td>` HTML table cells.
4. Any `@role` attribute on the XML element becomes the `@role` attribute on the HTML5 element. If there is no `@role` attribute on the XML element, then the element name becomes the HTML5 `@role` attribute.
5. The `@class` attribute on the HTML5 element is composed of the local name of the XML element, followed by an underscore character and the XML `@role` attribute value if it exists, followed by the XML `@class` attribute values, space separated. For instance, the element `<level role="Chapter" class="indent1">` becomes the `@class="level_Chapter indent1"` attribute.
6. Any `@xml:lang` attribute on the XML element becomes the HTML5 `@lang` attribute.
7. The following attributes carry over from the XML element to an identically named HTML5 attribute: `@style`, `@id`, `@href`, `@idref`, `@src`, `@alt`, `@colspan`, and `@rowspan`.
8. All other attributes carry over to the HTML5 by inserting the prefix `"data-"` + namespacePrefix + `"-"` + XML attribute. For example, the `@name` attribute on the XML element becomes the `@data-uslm-name` attribute.
9. The entire resulting HTML5 document fragment is ordinarily placed within the HTML5 `<body>` element.
10. CSS classes are associated with the resulting HTML5 fragment using well-established HTML5 methods.
The transformation from HTML5 back to USLM-based XML is accomplished by reversing the process described above.
# 9 Hierarchical Model
## 9.1 Concept
Most legislative documents have a well-defined hierarchical structure of numbered levels. The abstract model provides a general-purpose hierarchy necessary for legislative documents. This hierarchy does not impose restrictions, but instead allows any `<level>` to be placed within any `<level>`. This flexibility allows varying structures, some of which are anomalous, to be supported without adding layers of complexity.
## 9.2 Levels
The fundamental unit of the hierarchy is the `<level>` element. A discussion below describes how the `@class` attribute and XML schema substitution groups can be used to subclass this fundamental unit to produce the various levels found in United States legislation.
A level is composed of (1) a `<num>` identification designation, (2) an optional `<heading>`, and (3) either primarily textual `<content>`, lower hierarchical `<level>` children, or a few other possible elements.
## 9.3 Big Levels vs. Small Levels
The principal level is the `<section>` level. Levels above the `<section>` level are referred to as &quot;big&quot; levels and levels below the `<section>` level are referred to as &quot;small&quot; levels.
| --- | --- |
| --- | --- |
| Big Levels | title, subtitle, chapter, subchapter, part, subpart, division, subdivision |
| Primary Level | section |
| Small Levels | subsection, paragraph, subparagraph, clause, subclause, item, subitem, subsubitem |
The primary difference between big levels and small levels is in how they are referred to in references. Big levels and primary levels are referred to using a prefix to identify the level&#39;s type. Small levels are referred to simply by using the number designation assigned to the level in a level hierarchy. Further details are discussed below under Referencing Model.
## 9.4 Sandwich Structures
Sandwich structures are hierarchical levels that start and/or end with text rather than lower levels. This structure is quite common. Typically, some text will introduce the next lower level or will follow the last item of a lower level. The `<chapeau>` (French for &quot;hat&quot;) and `<continuation>` elements are provided for this structure. The `<chapeau>` precedes the lower levels and the `<continuation>` follows the lower levels. The `<continuation>` element can also be used for cases where interstitial text is found between elements of the same level.
One specific type of continuation text is a paragraph-like structure beginning with &quot;Provided that&quot; or &quot;Provided&quot;. The `<proviso>` element is used in this case. Multiple provisos may exist.
## 9.5 Table of Contents
A table of contents (TOC) model is provided to model the level hierarchy. A TOC can appear either at the top of a hierarchy or at lower levels, and in the main part of the document or in an appendix. The root of the TOC structure is the `<toc>` element and the levels can be arranged into a hierarchy of `<tocItem>` elements. Attributes from the description group are used to define the information in the hierarchy.
The `<toc>` structure can be intermixed with the `<layout>` structure to define a tabular layout for a table of contents.
# 10 Table Model
Two table-like models can be used with USLM: (1) a column-oriented model and (2) the HTML table model.
## 10.1 Column-Oriented
Use the column-oriented `<layout>` model when information related to the legislative structure is to be arranged in a column- or grid-oriented fashion, but not a true table. The advantage of the column-oriented `<layout>` model is that it is defined within USLM, so it can contain other USLM elements. The drawback is that it is a non-standard table model, so it is not inherently understood by tools that handle standard HTML tables.
The `<layout>` model is intended to be flexible. It provides a `<row>` element for defining individual rows. When there is a row structure, the parts of each row that belong within each column are identified using the `<column>` element. Any direct child of the `<layout>` element is considered to be a row unless it is a `<layout>` element.
However, when the `<column>` element is a direct child of the `<layout>` element, then there is no notion of rows, and the columns form a basic structure of the `<layout>`. If `<layout>` contains any `<column>` child, then it must only contain `<column>`s as children.
Like HTML tables, the `<layout>` model supports the `@colspan` and the `@rowspan` elements.
## 10.2 HTML Tables
Use the HTML `<table>` model when (1) information is arranged in a tabular structure, (2) there is little information within the table that is part of the legislative structure, or (3) the structure is regarded as a normal table with gridlines and table cells.
An embedded HTML table will look something like this:
```
<schedule name="sch{num}">
<num value="1">Schedule 1</num>
<heading>…</heading>
<table xmlns=http://www.w3.org/1999/xhtml">
<th>…</th>
<tr>…</tr>
<table>
</schedule>
```
# 11 Identification Model
## 11.1 Concept
Elements are assigned identifiers or names for two primary purposes. The first is to be able to reliably refer to the element throughout its lifetime, regardless of how it might be altered. The second is to be able to address the item based on its current state. To support both of these purposes, the available attributes are `@id`,`@temporalId`, `@name`, and `@identifier`.
## 11.2 Immutable Identifiers
Immutable identifiers are unchanging identifiers that are assigned when the element is created and do not change throughout the lifetime of the element. This makes them reliable handles with which to access the elements in a database or repository system. The `@id` attribute is used for this purpose. It is defined as an XML Schema ID, which requires that all `@id` attribute values be guaranteed to be unique within a document, with no exceptions.
For the purposes of document management in USLM, especially in the amending cycle, `@id` values should be computed as GUID (Globally Unique Identifiers) with an &quot;id&quot; prefix. This means that they should be computed using an algorithm that guarantees that no two identifiers, in any document, anywhere, will ever be the same. This is a broader definition of uniqueness than imposed by the XML Schema ID definition. There are many tools available to generate GUIDs.
Whenever an element is moved, its `@id` attribute value must be preserved. When an element is copied, a new value for the `@id` attribute value must be generated for the new element created. Special care must be taken to ensure that the `@id` value is managed correctly. Proper management of the `@id` attribute value will provide a reliable handle upon which to attach other metadata such as commentary.
It is important that the value of the `@id` attribute not reflect, in any way, some aspect of the element that might change over time. For instance, if there is a number associated with an element and that number is subject to renumbering, then the `@id` attribute value should have no relation to the number that is subject to renumbering.
## 11.3 Temporal Identity
A `@temporalId` is a human-readable identity, scoped at the document level. While the `@id` attribute is defined to be unique in the document and constant throughout the lifetime of the element, and the schema enforces this uniqueness, the `@temporalId` attribute is defined loosely and changes to reflect the current location and numbering of the element over time.
Because the `@temporalId` attribute is assigned a value that reflects the current state of the element, special care must be taken to ensure that the value of the `@temporalId` attribute is recomputed anytime the state of the element changes. It is usually a good practice to recompute the `@temporalId` values whenever the document is committed or saved.
Ideally, the `@temporalId` attribute should be unique in a document, but this is not always possible due to various anomalies. For this reason, the uniqueness of the `@temporalId` attribute is not enforced by the schema, and some ambiguity is possible. How the disambiguation of duplicate names is handled is a subject that must be dealt with in the design of the software systems which will encounter this situation.
A recommended approach for computing the `@temporalId` value is to base the name on the hierarchy to get to the element, almost in a path-like fashion. The `@temporalId` value can be constructed as follows:
[parentId + &quot;\_&quot;] + [bigLevelPrefix] + num
Where:
parentId is the `@temporalId` value of the parent element. If the parent element does not have a `@temporalId` value or does not have a unique `@temporalId`, then the local XML name of the parent element is used, with special care being taken to ensure that all parent elements that are not unique have assigned `@name` values.
bigLevelPrefix = a prefix reflecting the level type, such as &quot;p&quot; for part, &quot;d&quot; for division, or &quot;sd&quot; for subdivision. For sections use &quot;s&quot;. For small levels, no prefix is used.
num = the normalized value of the number or designation given to the level.
Exceptions:
The `<doc>` root level should be omitted from the computation.
The `<main>` level should be omitted.
Levels of the hierarchy should be omitted whenever the numbering of a level does not require references to the higher levels. For example, section numbers are usually unique throughout the document, so it is not necessary to use the higher big levels to compute a name. So a section can be identified as simply &quot;s1&quot; rather than &quot;p1\_d1\_s1&quot;.
For example, part III of subchapter II of chapter 12 of Title 8 would have a `@temporalId` of &quot;ch12\_schII\_ptIII&quot;, and subparagraph (A) of paragraph (1) of subsection (a) of section 1201 of Title 8 would have a `@temporalId` of &quot;s1201\_a\_1\_A&quot;.
## 11.4 Local Names
Local names are usually related to the parent element or container in which they are found. This is the purpose of the `@name` attribute. The most common use of the `@name` attribute is when naming a `<property>` element. The `@name` attribute is also used to name a level within the local context of its parent level.
There is a problem with naming a level: its name is subject to change through time. This is because levels are subject to renumbering. To support this, the `@name` can be defined in a parameterized way. The parameters will need to be evaluated whenever a document is requested for a specific point-in-time.
The parameters are specified within the `@name` attribute value using a curly braces notation. Two parameters can be specified:
1. Use the {num} parameter to include the current normalized value (i.e., the `@value` attribute of the `<num>` element) in the name of the level.
2. Use the {index} parameter to include the 1-based index position, calculated against other elements of the same type at the same level.
To better ensure the uniqueness of the `@name` attribute values generated in the future, a rational scheme must be designed. This is important because the `@name` attribute is also used in the mapping of links or references to elements. This process is accomplished by a web server add-in called a &quot;resolver&quot;. Resolvers are described in the next chapter.
## 11.5 Identifiers
An `@identifier` is used on the root element to specify the URL reference to the document root. The `@identifier` is specified as an absolute path in accordance to the rules of the Reference Model described in this document.
An `@xml:base` attribute is also specified on the root element to specify the location of a preferred resolver capable of resolving a reference. The `@xml:base` concatenated with the `@identifier` forms a complete URL reference.
Typically, the `@identifier` will be established on the root element and all level elements.
# 12 Referencing Model
## 12.1 Concept
References are a machine-readable format for making very precise citations or establishing links between different things in a document. The prevailing method for establishing references is to use HTTP-based hyperlinks, using the familiar technology prevalent on websites.
These references are, like websites, modeled as Universal Resource Locators (URL). A URL is a string representing a hierarchical path down to the item being requested, using forward slashes &quot;/&quot; as hierarchical separators. In normal websites, each level in the URL represents a folder, terminating in a file that is being requested. URLs can be specified in one of three ways: (1) global references starting with &quot;http://{domain}&quot;; (2) absolute paths starting with &quot;/&quot;; or (3) relative references starting with &quot;./&quot;. Absolute paths typically use the local domain as the context for the URL, while relative references use the current file as the context.
USLM references use a variation of the absolute path technique. All references thus start with a forward slash &quot;/&quot;. However, rather than representing folder and files, the hierarchical path represents a conceptual hierarchy down to the item in question. This path is known as a logical path. The logical path does not represent the folder/file hierarchy as with a physical path. In fact, there may be no physical path for information stored in a database rather than in a file system.
Web servers usually handle the task of interpreting a URL and retrieving the requested file from the file system. With USLM references, however, the mapping is not so straightforward. A web server must interpret the logical path in the URL and retrieve the requested information from a database. This task is accomplished by a web server add-in called a &quot;resolver&quot;.
How the resolver is constructed depends on the web server being used and the storage format for the documents. All modern web servers provide some form of facility to allow a resolver to be constructed. This issue is discussed in greater detail below under Reference Resolver.
## 12.2 URL References
The International Federation of Library Associations and Institutions (IFLA) (http://www.ifla.org/) has developed a conceptual entity-relationship model for organizing bibliographic records (like index cards at a library). This model is called the Functional Requirements for Bibliographic Records (FRBR pronounced &quot;_Ferber_&quot;). FRBR creates the conceptual framework for the USLM references.
References in USLM are composed using the following format:
> [item][work][lang][portion][temporal][manifestation]
Where:
- item identifies the location of an instance. For non-computer locations, this is expressed as an http domain. An example would be [http://uscode.house.gov](http://uscode.house.gov).
- work identifies the logical hierarchy down to the document being referenced. This hierarchy starts by identifying the jurisdiction (&quot;/us&quot; for United States) and continues by identifying the document (&quot;/usc/t5&quot; for Title 5). The jurisdiction is included in order to distinguish between the library that serves the document and the jurisdiction where the document originated. With this approach, it is possible for a library to serve a document from a different jurisdiction.
- lang expression (&quot;!&quot; prefix) identifies the language. If the lang is not specified, then the language is assumed to be the language of referencing document or referencing environment.
- portion (&quot;/&quot; prefix) extends the work hierarchy to identify an item within the document. For example, &quot;/s1/a/2&quot; for paragraph (2) of subsection (a) of section 1 in the main body. Note that the portion is an easy mapping of the `@temporalId` for that element which is &quot;s1\_a\_2&quot;. This gives a hint for how to resolve the portion part of a URL identifier.
- temporal expression (&quot;@&quot; prefix) - the date/time is expressed according to ISO 8601 (&quot;@2013-05-02&quot; for May 2, 2013). If the &quot;@&quot; is specified, but without a date/time, then the reference is to the current time. If no temporal expression is specified, the context may be used to identify the point-in-time, which is usually the date of the document making the reference.
- manifestation (&quot;.&quot; prefix) identifies the format as a simple file extension (&quot;.xml&quot; for the XML file, &quot;.htm&quot; for HTML, and &quot;.pdf&quot; for the PDF).
Examples:
- /us/usc/t5/s1/a the current version of subsection (a) of section 1 of title 5.
- /us/usc/t5/s1/a@2013-05-02 the version of subsection (a) of section 1 of title 5 that was in effect on May 2, 2013.
- /us/usc/t5/s1/a.htm - the current version of subsection (a) of section 1 of title 5, rendered as HTML.
- http://uscode.house.gov/download/us/usc/t5/main/s1/a.htm the current version of subsection (a) of section 1 of title 5, rendered as HTML and delivered from http://uscode.house.gov/download.
Notes:
- References in documents (using the `@href` and `@src` attributes) should always be stored as absolute paths, which omit the item part. This allows the reference to be independent of the site hosting the document. The role of the resolver is to determine which location can best serve the desired item. This allows a document to be moved from one digital library to another without changing the references within the XML. The item location is implicit in the library containing the reference. An exception is when a specific item is desired, usually when referencing an item from a foreign jurisdiction.
- There are generally two common methods to identify a document&#39;s type. One method is by extension as described above. The other method is to use the MIME type. The MIME type is a more robust solution because it allows for a wide variety in file extensions for the same type (g., &quot;.htm&quot; or &quot;.html&quot; for HTML files). However, file extensions are simpler and less cumbersome. This means that an agreed upon registry of file extensions should be maintained by the system.
## 12.3 Reference Attributes
There are four attributes which contain references or portions of references:
1. `@href` This is a pointer or link to another document. It is generally stored as an absolute path. Prepending the domain to identify a particular instance or library from which the information is to be sourced is left to the local resolver. This allows a document to be relocated in another digital library without changing all the references.
2. `@portion` Often the textual representation of a reference is scattered in several places in a document. For instance, a set of amendments might be prefaced with an identification of the document affected, such as title 5 of the United States Code, while the individual amendments might specify only a portion of that document, such as subsection (a) of section 1. The `@portion` attribute allows a reference to be extended. This will generally be constructed as follows:
```
<ref id="ref001" href="/us/usc/t5"/>
<ref idref="ref001" portion="/s1/a"/>
```
The example above shows an initial reference to title 5, United States Code. The second reference refers to the first, acquiring the first reference&#39;s `@href` and then extending it with the `@portion` to produce the reference /us/usc/t5/s1/a. This approach can be recursive.
3. `@src` in addition to pointing to other documents, it is often desirable to embed other documents within a primary document. The `@src` attribute is used in this case.
4. `@origin` When a fragment of a document is copied into another document, and it is necessary to record the place from which the fragment was copied, the `@origin` attribute is used. This exists for the `<quotedText>` and `<quotedContent>` elements.
## 12.4 Referencing Nomenclature
The following case-insensitive referencing nomenclature is used;
| Short Form | Long Form | Description |
| --- | --- | --- |
| pl[0-9]+ | publicLaw[0-9]+ | Public Law + number Statute |
| t[0-9\|a-z]+ | title[0-9\|a-z]+ | Title + number |
| st[0-9\|a-z]+ | subtitle[0-9\|a-z]+ | Subtitle + number |
| ch[0-9\|a-z]+ | chapter[0-9\|a-z]+ | Chapter + number |
| sch[0-9\|a-z]+ | subchapter[0-9\|a-z]+ | Subchapter + number |
| p[0-9\|a-z]+ | part[0-9\|a-z]+ | Part + number |
| sp[0-9\|a-z]+ | subpart[0-9\|a-z]+ | Subpart + number |
| d[0-9\|a-z]+ | division[0-9\|a-z]+ | Division + number |
| sd[0-9\|a-z]+ | subdivision[0-9\|a-z]+ | Subdivision + number |
| s[0-9\|a-z]+ | section[0-9\|a-z]+ | Section + number |
| art[0-9\|a-z]+ | article[0-9\|a-z]+ | Article + number |
| r[0-9\|a-z]+ | rule[0-9\|a-z]+ | Rule + number |
| [a-z]+ | [a-z]+ | Subsection letter |
| [0-9]+ | [0-9]+ | Paragraph number |
| [A-Z]+ | [A-Z]+ | Subparagraph Letter (capital letters) |
| [i-x]+ | [i-x]+ | Clause (lower case roman numeral) |
| [I-X]+ | [I-X]+ | Subclause (upper case roman numeral) |
| [aa-zz]+ | [aa-zz]+ | Item (double lower case letter) |
| [AA-ZZ]+ | [AA-ZZ]+ | Subitem (double upper case letter) |
| [aaa-zzz]+ | [aaz-zzz]+ | Subsubitem (triple lower case letter) |
| (suppress) | main | Main body |
| shortTitle | shortTitle | Short title |
| longTitle | longTitle | Long title |
| preamble | preamble | Preamble |
| proviso | proviso | Proviso |
| app[0-9]\* | appendix[0-9]\* | Numbered or unnumbered appendix |
>**Note:** _The prefixes are defined to be case-insensitive. This is done as case-sensitive URLs can be problematic in some environments._
## 12.5 References within Amendment Instructions
Amendments refer to the item that they are amending. The reference may be complex, specifying not only the item affected, but a relative position either within, before, or after the item affected. Three additional attributes are provided with references to allow this sort of specification:
- `@pos` Specifies a position that is either at the start, before, inside, after, or at the end of the context item.
- `@posText` Establishes the context for the position relative to text contained within the referenced item.
- `@posCount` Specifies which occurrence of the `@posText` within the referenced item is being acted upon. By default, the first occurrence is assumed. In addition to specifying which occurrence, the values all, none, first, and last may also be used.
## 12.6 Reference Resolver
The URL-based references that are established create the links between various documents within the system. A software component is added to the web server to interpret the references, find the relevant piece within the database repository, extract it, and perform any necessary assembly and transformation before returning the result to the requester. This web server add-in is called a resolver. How it is built is determined by the web servers being used. In general, the resolver will perform the following sequence of functions:
1. It will receive a reference from a requestor.
2. It will canonicalize the reference, normalizing the text to match one of the forms it understands.
3. If the reference is to the U.S. jurisdiction and the resolver understands the reference, then it will attempt to resolve it by retrieving the XML from the document. This might be either an entire document of a fraction thereof.
4. If the reference is to another jurisdiction, and the resolver is able to resolve the reference, either locally or by deferring to another web server, then the resolver will resolve the reference that way.
5. If the reference is not understood, then the resolve will return a _404 file not found_ error.
6. If the document is being resolved locally, and the XML has been extracted from the database, then it may need to be assembled or otherwise processed to ensure that the correct temporal state has been established. If no temporal information is contained in the URL, then the present state is assumed.
7. Once the correct XML has been created, if a format other than XML has been requested it will need to be transformed and/or converted into the correct format. This may involve transforming the XML into HTML or creating a PDF.
8. Some of the steps above may be circumvented in the interest of performance and efficiency with a good caching strategy.
9. Once the requested item has been retrieved, assembled, and transformed, it is returned to the requestor using HTTP.
There are several strategies that the resolver can use to find the item referenced by the work part of the reference URL:
1. The fastest method, if there is a reliable mapping between the `@name` value and the work part of the reference URL, is to map between the reference path and the `@name`. This approach is best when the XML documents are shredded into parts and stored as separate items, either in the file system or in a relational database.
2. Another strategy is to rewrite the reference URL hierarchy as an XPath query. This approach is best when there is a good mapping between the reference hierarchy and the document hierarchy, and the information is stored in an XML repository that supports XPath. Performance might be an issue for more complex XPath queries.
3. The third strategy is to create an indexing mechanism. This solution might rely on the inherent capabilities of the chosen database or repository, or it might be some sort of predefined mapping. How this strategy should ultimately be designed is beyond the scope of this User Guide.
For a specific document, the preferred resolver is identified using the `@xml:base` attribute on the root element. For instance:
`xml:base="resolver.mydomain.com"`
The `@xml:base` concatenated with the `@identifier` forms a complete URL reference.
A preferred resolver does not currently exist for USLM. Therefore, the `@xml:base` attribute is not provided in current USLM documents. The United States House intends to provide a resolver in the future. If and when that occurs, the `@xml:base` attribute will point to that resolver.
# 13 Metadata Model
## 13.1 Concept
In addition to the text in an XML document, there is also a need to store a significant amount of metadata about a document. There are a few ways in which this metadata might be stored:
1. Within the document in a separate partition.
2. Scattered within the document.
3. In a separate file.
4. In a relational database.
All four of these approaches can be supported. First, there is an optional `<meta>` block defined at the start of the document. Within this block, properties and sets of properties can be stored. The model for this metadata is open and extensible to support a wide range of needs, while also keeping the core concepts very simple. The metadata stored here can either be generated in an ongoing fashion, or as the result of an analysis of the text after it has been committed, or as a combination of these.
In addition to the basic `<meta>` block, attributes are provided throughout the document for storing metadata about a particular element with that elements. Most of these attributes have prescribed usage, and the model is not as general and flexible as the `<meta>` block. However, there are a few attributes set aside for unprescribed uses. These include the `@misc`, `@draftingTip`, and `@codificationTip`.
It is possible to store metadata in a separate file or in a relational database. If a separate file is chosen, no format for this file is prescribed. It can be an XML file, some other text file, or even a binary file. One option for the format is to borrow the `<meta>` tag with its `<property>` and `<set>` children from USLM. This is merely an option; it is not prescribed.
If the information is stored in a separate file or is stored in a database, then it may be necessary to maintain a strict association between the XML elements and the records in the file. For this reason, element `@id` values are defined to be immutable, in order to provide a reliable handle for making associations. If the `@id` attribute cannot be managed reliably, then the separate file and database options should be avoided.
## 13.2 Properties
Properties are basic elements that may or may not have string content. The `@name` attribute acts as the primary identification for a `<property>`. The `@value` attribute (and its range siblings) or the `@date` attribute (and its range siblings) are used to place normalized values of dates. Sometimes, a value or date might exist as both text content in the element and, in a normalized form, as an attribute.
Properties are primarily intended for use within the `<meta>` block or within `<set>` groupings within the `<meta>` block. However, it is also possible for properties to be used as inline elements within the main part of the document.
## 13.3 Sets
Properties can be grouped into simple sets. A `<set>` is essentially a property folder. Like a `<property>`, the `@name` attribute acts as the primary identification for a property. Property sets can be nested.
# 14 Notes Model
# 14.1 Concept
Notes are found throughout the United States Code. USLM defines a very flexible model to support all the different types of notes that are found.
## 14.2 Note Classes
The abstract model provides two basic elements for implementing notes.
### 14.2.1 Individual notes
The basic `<note>` implement provides the fundamental model for a note. A note can be simple string of text or it can be a complex structure of text.
### 14.2.2 Notes collection
Notes can be grouped together into a collection using a `<notes>` container.
## 14.3 Type of notes
There are four primary types of notes. Use the @type attribute to specify the note type:
1. inline notes that are shown inline where they appear in the text.
2. endnote notes that appear at the end of the level in which they appear. A `<ref>` pointer may be used to point to these notes
3. footnote - notes that appear at the bottom of the page in which a reference to that note appears. A `<ref>` pointer is used to point to these notes.
4. uscNote - notes that appear at the bottom of the section or heading, typically after the sourceCredit.
## 14.4 Topic of notes
Notes in the United States Code often have a specific topic, such as &quot;Amendments&quot;. Use the `@topic` attribute to specify the note&#39;s topic(s). More than one topic can be specified, separated by spaces, such as:
`@topic="regulations construction"`
# 15 Feedback
The Office of the Law Revision Counsel of the U.S. House of Representatives welcomes any questions or comments about the United States Code in USLM at [uscode@mail.house.gov](mailto:uscode@mail.house.gov). For questions, comments, or requests for proposed changes to the USLM schema or this User Guide, please visit GPO&#39;s GitHub repository and open an issue at [https://github.com/usgpo/uslm/issues/new](https://github.com/usgpo/uslm/issues/new).
# 16 Appendix: United States Code
## 16.1 Brief Introduction to the United States Code
The schema described in this User Guide is used to produce the United States Code in XML. The United States Code contains the general and permanent laws of the United States, organized into titles based on subject matter.
The United States Code is prepared and published by the Office of the Law Revision Counsel of the U.S. House of Representatives pursuant to 2 U.S.C. 285b. For the printed version of the Code, a complete new edition is printed every six years, and five annual cumulative supplements are printed in the intervening years.
The Office of the Law Revision Counsel also produces an online HTML version of the United States Code for searching and browsing (http://uscode.house.gov/). The online HTML version of the United States Code is updated continuously as new laws are enacted.
The Office of the Law Revision Counsel also produces (beginning July 30, 2013) an XML version of the United States Code for download (http://uscode.house.gov/download/download.shtml). The XML version is updated continuously as new laws are enacted.
## 16.2 Bulk Data Downloads of XML Files
### 16.2.1 Directory Structure
The download directory (http://uscode.house.gov/download/download.shtml) contains one XML file for each title of the United States Code and a zip file for the entire Code. The directory also includes the XML schema files required for XML validation. A CSS stylesheet is provided for convenience. The CSS stylesheet is informational only and is not part of the United States Code.
### 16.2.2 Download Protocols
Bulk download is supported via HTTP protocols.
### 16.2.3 Versions
The most current version of the United States Code is available in XML, and prior versions in XML created on or after July 30, 2013, are also available. Eventually, the titles of some prior editions of the United States Code will also be available in XML. During the beta period, the XML format is subject to change. Some titles may be replaced with updated versions. The creation date and effective date of each title is provided on the website and in the metadata within the XML files.
## 16.3 Authenticity of Data
Section 204(a) of title 1, United States Code, which was enacted in 1947, relates to the printed version of the United States Code. It provides:
>In all courts, tribunals, and public offices of the United States, at home or abroad, of the District of Columbia, and of each State, Territory, or insular possession of the United States[,t]he matter set forth in the edition of the Code of Laws of the United States current at any time shall, together with the then current supplement, if any, establish prima facie the laws of the United States, general and permanent in their nature, in force on the day preceding the commencement of the session following the last session the legislation of which is included: _Provided, however_, That whenever titles of such Code shall have been enacted into positive law the text thereof shall be legal evidence of the laws therein contained, in all the courts of the United States, the several States, and the Territories and insular possessions of the United States.
In producing the United States Code, the Office of the Law Revision Counsel uses the same data to produce the printed version, the HTML version, and the XML version.
The HTML and XML files created by the Office of the Law Revision Counsel can be manipulated and enriched by others and offered to the public in new forms. Once data moves beyond the direct control of the Office of the Law Revision Counsel, the Office cannot vouch for its accuracy. Consumers should make their own determinations as to the reliability of data from other sources.
**Footnotes**
[1]: The feasibility study is rooted in a 1996 directive from the Committee on House Oversight (now known as the Committee on House Administration) and the Senate Committee on Rules and Administration to the Clerk of the House and Secretary of Senate, respectively, to work together toward establishing common data standards for the exchange of legislative information. See also 2 U.S.C. 181.
[2]: For more information, see: [http://www.w3.org/TR/xhtml11/Overview.html#toc](http://www.w3.org/TR/xhtml11/Overview.html#toc)
[3]: For more information, see: [http://dublincore.org/](http://dublincore.org/%20)

Binary file not shown.

4090
dtd/uslm/USLM.xsd Normal file

File diff suppressed because it is too large Load Diff

BIN
dtd/uslm/USLM_Logo.png Normal file

Binary file not shown.

After

Width:  |  Height:  |  Size: 23 KiB

View File

@@ -0,0 +1,550 @@
<?xml version="1.0" encoding="UTF-8"?><?xml-stylesheet type="text/css" href="uslm.css"?><bill xmlns="http://schemas.gpo.gov/xml/uslm" xmlns:dc="http://purl.org/dc/elements/1.1/" xmlns:html="http://www.w3.org/1999/xhtml" xmlns:uslm="http://schemas.gpo.gov/xml/uslm" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://schemas.gpo.gov/xml/uslm uslm-2.1.0.xsd" xml:lang="en" id="A1"><!--Disclaimer: Legislative measures that include compacts or other non-standard data structures will require additional modeling and may contain inconsistencies in the converted USLM XML.--> <meta>
<dc:title>110 S 2062 RIS: To amend the Native American Housing Assistance and Self-Determination Act of 1996 to reauthorize that Act, and for other purposes.</dc:title>
<dc:type>Senate Bill</dc:type>
<docNumber>2062</docNumber>
<citableAs>110 S 2062 RIS</citableAs>
<citableAs>110s2062ris</citableAs>
<citableAs>110 S. 2062 RIS</citableAs>
<docStage>Referral Instructions Senate</docStage>
<currentChamber>SENATE</currentChamber>
<dc:creator>United States Senate</dc:creator>
<processedBy>GPO XPub Bill to USLM Generator, version 0.5 + manual changes</processedBy>
<processedDate>2024-09-09</processedDate>
<dc:publisher>United States Government Publishing Office</dc:publisher>
<dc:format>text/xml</dc:format>
<dc:language>EN</dc:language>
<dc:rights>Pursuant to Title 17 Section 105 of the United States Code, this file is not subject to copyright protection and is in the public domain.</dc:rights>
<congress>110</congress>
<session>1</session>
<relatedDocument role="report" href="/us/srpt/110/238" value="CRPT-110srpt238">[Report No. 110238]</relatedDocument>
<publicPrivate>public</publicPrivate></meta>
<preface>
<slugLine>•S 2062 RIS</slugLine>
<distributionCode display="yes">II</distributionCode>
<congress value="110">110th CONGRESS</congress>
<session value="1">1st Session</session>
<dc:type>S. </dc:type>
<docNumber>2062</docNumber>
<relatedDocument role="report" href="/us/srpt/110/238" value="CRPT-110srpt238">[Report No. 110238]</relatedDocument>
<dc:title>To amend the Native American Housing Assistance and Self-Determination Act of 1996 to reauthorize that Act, and for other purposes.</dc:title>
<currentChamber value="SENATE">IN THE SENATE OF THE UNITED STATES</currentChamber>
<action><date date="2007-09-18"><inline class="smallCaps">September </inline>18, 2007</date><actionDescription><sponsor senateId="S222">Mr. <inline class="smallCaps">Dorgan</inline></sponsor> (for himself, <cosponsor senateId="S198">Mr. <inline class="smallCaps">Reid</inline></cosponsor>, <cosponsor senateId="S288">Ms. <inline class="smallCaps">Murkowski</inline></cosponsor>, <cosponsor senateId="S051">Mr. <inline class="smallCaps">Inouye</inline></cosponsor>, <cosponsor senateId="S257">Mr. <inline class="smallCaps">Johnson</inline></cosponsor>, <cosponsor senateId="S275">Ms. <inline class="smallCaps">Cantwell</inline></cosponsor>, <cosponsor senateId="S314">Mr. <inline class="smallCaps">Tester</inline></cosponsor>, <cosponsor senateId="S167">Mr. <inline class="smallCaps">Bingaman</inline></cosponsor>, <cosponsor senateId="S027">Mr. <inline class="smallCaps">Domenici</inline></cosponsor>, and <cosponsor senateId="S284">Ms. <inline class="smallCaps">Stabenow</inline></cosponsor>) introduced the following bill; which was read twice and referred to the <committee addedDisplayStyle="italic" committeeId="SLIA00" deletedDisplayStyle="strikethrough">Committee on Indian Affairs</committee></actionDescription></action>
<action actionStage="Reported-in-Senate"><date date="2007-12-07"><inline class="smallCaps">December </inline>7, 2007</date><actionDescription>Reported by <sponsor senateId="S222">Mr. <inline class="smallCaps">Dorgan</inline></sponsor>, with amendments</actionDescription><actionInstruction>[Omit the part struck through and insert the part printed in italic]</actionInstruction></action>
<action><date date="2007-12-10"><inline class="smallCaps">December </inline>10, 2007</date><actionDescription>Referred to the <committee>Committee on Banking, Housing, and Urban Affairs</committee> pursuant to the order of May 27, 1988, for not to exceed 60 days</actionDescription></action></preface>
<main styleType="OLC"><longTitle><docTitle>A BILL</docTitle><officialTitle>To amend the Native American Housing Assistance and Self-Determination Act of 1996 to reauthorize that Act, and for other purposes.</officialTitle></longTitle><enactingFormula><i>Be it enacted by the Senate and House of Representatives of the United States of America in Congress assembled, </i></enactingFormula>
<section identifier="/us/bill/110/s/2062/s1" id="S1"><num value="1">SECTION 1. </num><heading>SHORT TITLE; TABLE OF CONTENTS.</heading>
<subsection identifier="/us/bill/110/s/2062/s1/a" id="idC7F367906C664106886707C4E7983A19" class="indent0"><num value="a">(a) </num><heading><inline class="smallCaps">Short Title</inline>.—</heading><content>This Act may be cited as the “<shortTitle role="act">Native American Housing Assistance and Self-Determination Reauthorization Act of 2007</shortTitle>”.</content></subsection>
<subsection identifier="/us/bill/110/s/2062/s1/b" id="idB584D072DA664F18BEEBBA012490EF95" class="indent0"><num value="b">(b) </num><heading><inline class="smallCaps">Table of Contents</inline>.—</heading><content>The table of contents of this Act is as follows:
<toc>
<referenceItem idref="S1" role="section">
<designator>Sec.1.</designator>
<label>Short title; table of contents.</label>
</referenceItem>
<referenceItem idref="id888448C90CE049E28EFF8257DC1B9876" role="section">
<designator>Sec.2.</designator>
<label>Congressional findings.</label>
</referenceItem>
<referenceItem idref="id56B8519D0CBE4AD3A15036EE54397A53" role="section">
<designator>Sec.3.</designator>
<label>Definitions.</label>
</referenceItem>
<referenceItem idref="idC23C5396AF154934B9607AF699912BBC" role="title">
<designator>TITLE I—</designator><label>BLOCK GRANTS AND GRANT REQUIREMENTS</label>
</referenceItem>
<referenceItem idref="idDA0B9EA9A45D4742AD181422C4C01901" role="section">
<designator>Sec.101.</designator>
<label>Block grants.</label>
</referenceItem>
<referenceItem idref="id09B0DE12EB3D4E4AA8433BC457568639" role="section">
<designator>Sec.102.</designator>
<label>Indian housing plans.</label>
</referenceItem>
<referenceItem idref="id268392FCF7EB4D659274C58748A4A7AB" role="section">
<designator>Sec.103.</designator>
<label>Review of plans.</label>
</referenceItem>
<referenceItem idref="id82B5AA537F2A4709890E3B732162F924" role="section">
<designator>Sec.104.</designator>
<label>Treatment of program income and labor standards.</label>
</referenceItem>
<referenceItem idref="id4D90C3C6594F465EBBD2554D8CDE5A99" role="section">
<designator>Sec.105.</designator>
<label>Regulations.</label>
</referenceItem>
<referenceItem idref="id8E8AAB3C472448EE96269443535A50EC" role="title">
<designator>TITLE II—</designator><label>AFFORDABLE HOUSING ACTIVITIES</label>
</referenceItem>
<referenceItem idref="id9085AE6244DF46E09EA1EC10D6C821AC" role="section">
<designator>Sec.201.</designator>
<label>National objectives and eligible families.</label>
</referenceItem>
<referenceItem idref="id69E79115EB6A4F66B9D6C7A28ED63480" role="section">
<designator>Sec.202.</designator>
<label>Eligible affordable housing activities.</label>
</referenceItem>
<referenceItem idref="id677746066FF043C09FD21A3E0766A32D" role="section">
<designator>Sec.203.</designator>
<label>Program requirements.</label>
</referenceItem>
<referenceItem idref="id62D077D8B01D4C22B417204F08B9F69D" role="section">
<designator>Sec.204.</designator>
<label>Low-income requirement and income targeting.</label>
</referenceItem>
<referenceItem idref="id3967F7F36809443D8AC33130A59BC2C8" role="section">
<designator>Sec.205.</designator>
<label>Treatment of funds.</label>
</referenceItem>
<referenceItem idref="id6846EDF6E639427592044AC446115994" role="section">
<designator>Sec.206.</designator>
<label>Availability of records.</label>
</referenceItem>
<referenceItem idref="id361F352D45E5400E9708DBE771760C67" role="section">
<designator>Sec.207.</designator>
<label>Self-determined housing activities for tribal communities program.</label>
</referenceItem>
<referenceItem idref="id26CAF20B59664692AAEBB3275C4E8A0A" role="title">
<designator>TITLE III—</designator><label>ALLOCATION OF GRANT AMOUNTS</label>
</referenceItem>
<referenceItem idref="idC9F9B20AD9984EF184A3A53C8F2E257A" role="section">
<designator>Sec.301.</designator>
<label>Allocation formula.</label>
</referenceItem>
<referenceItem idref="idED491EFE907343B1A0DD316B76E9BA37" role="title">
<designator>TITLE IV—</designator><label>COMPLIANCE, AUDITS, AND REPORTS</label>
</referenceItem>
<referenceItem idref="id55BD02F3A34147A590121E95F151585D" role="section">
<designator>Sec.401.</designator>
<label>Remedies for noncompliance.</label>
</referenceItem>
<referenceItem idref="id5C9DB435031E445CB774A65C7B4A7B26" role="section">
<designator>Sec.402.</designator>
<label>Monitoring of compliance.</label>
</referenceItem>
<referenceItem idref="id5612521023CD4AFABE4150D8C800F392" role="section">
<designator>Sec.403.</designator>
<label>Performance reports.</label>
</referenceItem>
<referenceItem idref="idD82EBB14AA914F9592DB16828EA9165D" role="title">
<designator>TITLE V—</designator><label>TERMINATION OF ASSISTANCE FOR INDIAN TRIBES UNDER INCORPORATED PROGRAMS</label>
</referenceItem>
<referenceItem idref="idD4C30949C76E43938F16DD5FE9532040" role="section">
<designator>Sec.501.</designator>
<label>Effect on Home Investment Partnerships Act.</label>
</referenceItem>
<referenceItem idref="idF292C2B1E27A426284BB3985F047F282" role="title">
<designator>TITLE VI—</designator><label>GUARANTEED LOANS TO FINANCE TRIBAL COMMUNITY AND ECONOMIC DEVELOPMENT ACTIVITIES</label>
</referenceItem>
<referenceItem idref="id3DC7BF0B09FB442F88DEEBB9C2EA6921" role="section">
<designator>Sec.601.</designator>
<label>Demonstration program for guaranteed loans to finance tribal community and economic development activities.</label>
</referenceItem>
<referenceItem idref="id4FD6B8D8CD114CFD90EDBE169ADE1515" role="title">
<designator>TITLE VII—</designator><label>OTHER HOUSING ASSISTANCE FOR NATIVE AMERICANS</label>
</referenceItem>
<referenceItem idref="idAD481B15EBA642CDB4C90DA52CE37A11" role="section">
<designator>Sec.701.</designator>
<label>Training and technical assistance.</label>
</referenceItem>
<referenceItem idref="idA0F26824E30247D59F813263788EE20A" role="title">
<designator>TITLE VIII—</designator><label>FUNDING</label>
</referenceItem>
<referenceItem idref="id53B90EB8A24F48DE9CEF801094B6F6F2" role="section">
<designator>Sec.801.</designator>
<label>Authorization of appropriations.</label>
</referenceItem>
<referenceItem role="section">
<designator>Sec.802.</designator>
<label>Funding conforming amendments.</label>
</referenceItem></toc></content></subsection></section>
<section role="instruction" identifier="/us/bill/110/s/2062/s2" id="id888448C90CE049E28EFF8257DC1B9876"><num value="2">SEC. 2. </num><heading>CONGRESSIONAL FINDINGS.</heading><content>Section 2 of the Native American Housing Assistance and Self-Determination Act of 1996 (<ref href="/us/usc/t25/s4101">25 U.S.C. 4101</ref>) <amendingAction type="amend">is amended</amendingAction> in paragraphs (6) and (7) by <amendingAction type="delete">striking</amendingAction><quotedText>should</quotedText>” each place it appears and <amendingAction type="insert">inserting</amendingAction><quotedText>shall</quotedText>”.</content></section>
<section role="instruction" identifier="/us/bill/110/s/2062/s3" id="id56B8519D0CBE4AD3A15036EE54397A53"><num value="3">SEC. 3. </num><heading>DEFINITIONS.</heading>
<chapeau class="indent0">Section 4 of the Native American Housing Assistance and Self-Determination Act of 1996 (<ref href="/us/usc/t25/s4103">25 U.S.C. 4103</ref>) <amendingAction type="amend">is amended</amendingAction></chapeau>
<paragraph identifier="/us/bill/110/s/2062/s3/1" id="id8413BD7D2129407BB814B1E996F84A28" class="indent1"><num value="1">(1) </num><content>by <amendingAction type="delete">striking</amendingAction> paragraph (22);</content></paragraph>
<paragraph identifier="/us/bill/110/s/2062/s3/2" id="id7031E9BA05424B5FB3BEDE9A6EB0BA1B" class="indent1"><num value="2">(2) </num><content>by <amendingAction type="redesignate">redesignating</amendingAction> paragraphs (8) through (21) as paragraphs (9) through (22), respectively; and</content></paragraph>
<paragraph identifier="/us/bill/110/s/2062/s3/3" id="idAAD4B01DB7984B1D90F92476B893E29B" class="indent1"><num value="3">(3) </num><content>by <amendingAction type="insert">inserting</amendingAction> after paragraph (7) the following:
<quotedContent id="id61281AFE59064053B21770D0810616EF" styleType="OLC">
<paragraph id="id4D8CD36868354177B87EB0967B8D07F9" class="indent1"><num value="8">“(8) </num><heading><inline class="smallCaps">Housing related community development</inline>.—</heading>
<subparagraph role="definitions" id="idEFEACC38A20A4C099E25A266580B86AB" class="indent2"><num value="A">“(A) </num><heading><inline class="smallCaps">In general</inline>.—</heading><chapeau>The term <term>housing related community development</term> means any facility, community building, business, activity, or infrastructure that—</chapeau>
<clause id="id0283DAA2C97149A3A00C0238CC664B6B" class="indent3"><num value="i">“(i) </num><content>is owned by an Indian tribe or a tribally designated housing entity;</content></clause>
<clause id="id0DDBB9EBF0394BC5BC6C8F3937DE7BB3" class="indent3"><num value="ii">“(ii) </num><content>is necessary to the provision of housing in an Indian area; and</content></clause>
<clause id="id3FAA01BA308A4698B740729F89FE3A19" class="indent3"><num value="iii">“(iii)</num><subclause id="id38552829CF9E41F4B9C30471AD7CD0EB" class="inline"><num value="I">(I) </num><content>would help an Indian tribe or tribally designated housing entity to reduce the cost of construction of Indian housing;</content></subclause>
<subclause id="idF903F098CF324D1BB18D95893FD3B723" class="indent3"><num value="II">“(II) </num><content>would make housing more affordable, accessible, or practicable in an Indian area; or</content></subclause>
<subclause id="id8081A968ECCC4C31BCABA38AB602F891" class="indent3"><num value="III">“(III) </num><content>would otherwise advance the purposes of this Act.</content></subclause></clause></subparagraph>
<subparagraph role="definitions" id="ID7762ded700614011aefc0388ae5973b3" class="indent2"><num value="B">“(B) </num><heading><inline class="smallCaps">Exclusion</inline>.—</heading><content>The term <term>housing and community development</term> does not include any activity conducted by any Indian tribe under the Indian Gaming Regulatory Act (<ref href="/us/usc/t25/s2701/etseq">25 U.S.C. 2701 et seq.</ref>).”</content></subparagraph></paragraph></quotedContent><inline role="after-quoted-block">.</inline></content></paragraph></section>
<title identifier="/us/bill/110/s/2062/tI" id="idC23C5396AF154934B9607AF699912BBC"><num value="I">TITLE I—</num><heading class="inline">BLOCK GRANTS AND GRANT REQUIREMENTS</heading>
<section role="instruction" identifier="/us/bill/110/s/2062/tI/s101" id="idDA0B9EA9A45D4742AD181422C4C01901"><num value="101">SEC. 101. </num><heading>BLOCK GRANTS.</heading>
<chapeau class="indent0">Section 101 of the Native American Housing Assistance and Self-Determination Act of 1996 (<ref href="/us/usc/t25/s4111">25 U.S.C. 4111</ref>) <amendingAction type="amend">is amended</amendingAction></chapeau>
<paragraph identifier="/us/bill/110/s/2062/tI/s101/1" id="idF31A7E6F2E8244C593180D218502019D" class="indent1"><num value="1">(1) </num><chapeau>in subsection (a)—</chapeau>
<subparagraph identifier="/us/bill/110/s/2062/tI/s101/1/A" id="idEB6F64AF0D7D4CAF906FB49CFAC365F7" class="indent2"><num value="A">(A) </num><chapeau>in the first sentence—</chapeau>
<clause identifier="/us/bill/110/s/2062/tI/s101/1/A/i" id="id9678999985E64795B112DE69803ADE2E" class="indent3"><num value="i">(i) </num><content>by <amendingAction type="delete">striking</amendingAction><quotedText>For each</quotedText>” and <amendingAction type="insert">inserting</amendingAction> the following:
<quotedContent id="id78692E8F1A2B404DBB661988BEC84F43" styleType="OLC">
<paragraph id="id5EEAD607BC8341AF84D0AA2DEBEAEDBE" class="indent1"><num value="1">“(1) </num><heading><inline class="smallCaps">In general</inline>.—</heading><content>For each”</content></paragraph></quotedContent><inline role="after-quoted-block">;</inline></content></clause>
<clause identifier="/us/bill/110/s/2062/tI/s101/1/A/ii" id="id282A1A1F0B564BE6B3975B18C32E1EDB" class="indent3"><num value="ii">(ii) </num><content>by <amendingAction type="delete">striking</amendingAction><quotedText>tribes to carry out affordable housing activities.</quotedText>” and <amendingAction type="insert">inserting</amendingAction> the following:
<quotedContent id="id6420A03B8238435681A6F4CA28C4DE7D" styleType="OLC"> “tribes—
<subparagraph id="idB2BC892E0EC141A785321FD60FA51FC3" class="indent2"><num value="A">“(A) </num><content>to carry out affordable housing activities under subtitle A of title II; and”</content></subparagraph></quotedContent><inline role="after-quoted-block">; and</inline></content></clause>
<clause identifier="/us/bill/110/s/2062/tI/s101/1/A/iii" id="id1B8941F5049D4BCD9A992D0F7AD4850E" class="indent3"><num value="iii">(iii) </num><content>by <amendingAction type="add">adding</amendingAction> at the end the following:
<quotedContent id="id49A1601B490F4A579C2CC928E7D5A8F2" styleType="OLC">
<subparagraph id="id6AEA9BB3691E4684941F02C8C307D9B9" class="indent2"><num value="B">“(B) </num><content>to carry out self-determined housing activities for tribal communities programs under subtitle B of that title.”</content></subparagraph></quotedContent><inline role="after-quoted-block">; and</inline></content></clause></subparagraph>
<subparagraph identifier="/us/bill/110/s/2062/tI/s101/1/B" id="idE22CD3C344884A24A114DDF29F8743AB" class="indent2"><num value="B">(B) </num><content>in the second sentence, by <amendingAction type="delete">striking</amendingAction><quotedText>Under</quotedText>” and <amendingAction type="insert">inserting</amendingAction> the following:
<quotedContent id="idF93A108E9ACF4496B510D49669E8D895" styleType="OLC">
<paragraph id="idB65616C4252048FBB71678DF1F5A42A9" class="indent1"><num value="2">“(2) </num><heading><inline class="smallCaps">Provision of amounts</inline>.—</heading><content>Under”</content></paragraph></quotedContent><inline role="after-quoted-block">;</inline></content></subparagraph></paragraph>
<paragraph identifier="/us/bill/110/s/2062/tI/s101/2" id="idCF1C0982657C4DD5AF48E3B513ED14F8" class="indent1"><num value="2">(2) </num><content>in subsection (g), by <amendingAction type="insert">inserting</amendingAction><quotedText>of this section and subtitle B of title II</quotedText>” after “<quotedText>subsection (h)</quotedText>”; and</content></paragraph>
<paragraph identifier="/us/bill/110/s/2062/tI/s101/3" id="id7D3932DDEB844F86864D86F9B36043F2" class="indent1"><num value="3">(3) </num><content>by <amendingAction type="add">adding</amendingAction> at the end the following:
<quotedContent id="id7A6838450FCA49AF952B09098A3BA964" styleType="OLC">
<subsection id="IDb2da0b40cd424d1186ac93cecf57e808" class="indent0"><num value="j">“(j) </num><heading><inline class="smallCaps">Federal Supply Sources</inline>.—</heading><chapeau>For purposes of <ref href="/us/usc/t40/s501">section 501 of title 40, United States Code</ref>, on election by the applicable Indian tribe—</chapeau>
<paragraph id="idAF1D9C4D136441DE9A5BD321A5183FDB" class="indent1"><num value="1">“(1) </num><content>each Indian tribe or tribally designated housing entity shall be considered to be an Executive agency in carrying out any program, service, or other activity under this Act; and</content></paragraph>
<paragraph id="id302A0381B5DC4E80BEA549A506CEFA04" class="indent1"><num value="2">“(2) </num><content>each Indian tribe or tribally designated housing entity and each employee of the Indian tribe or tribally designated housing entity shall have access to sources of supply on the same basis as employees of an Executive agency.</content></paragraph></subsection>
<subsection id="id55FF0F9E670040B888A8703457CA8236" class="indent0"><num value="k">“(k) </num><heading><inline class="smallCaps">Tribal Preference in Employment and Contracting</inline>.—</heading><content>Notwithstanding any other provision of law, with respect to any grant (or portion of a grant) made on behalf of an Indian tribe under this Act that is intended to benefit 1 Indian tribe, the tribal employment and contract preference laws (including regulations and tribal ordinances ) adopted by the Indian tribe that receives the benefit shall apply with respect to the administration of the grant (or portion of a grant).”</content></subsection></quotedContent><inline role="after-quoted-block">.</inline></content></paragraph></section>
<section role="instruction" identifier="/us/bill/110/s/2062/tI/s102" id="id09B0DE12EB3D4E4AA8433BC457568639"><num value="102">SEC. 102. </num><heading>INDIAN HOUSING PLANS.</heading>
<chapeau class="indent0">Section 102 of the Native American Housing Assistance and Self-Determination Act of 1996 (<ref href="/us/usc/t25/s4112">25 U.S.C. 4112</ref>) <amendingAction type="amend">is amended</amendingAction></chapeau>
<paragraph identifier="/us/bill/110/s/2062/tI/s102/1" id="ID200ed43d07c44d07b19bfa67946d5d69" class="indent1"><num value="1">(1) </num><chapeau>in subsection (a)(1)—</chapeau>
<subparagraph identifier="/us/bill/110/s/2062/tI/s102/1/A" id="id98F8F72D86864F7DA214DD46F15784E9" class="indent2"><num value="A">(A) </num><content>by <amendingAction type="delete">striking</amendingAction><quotedText>(1)(A) for</quotedText>” and all that follows through the end of subparagraph (A) and <amendingAction type="insert">inserting</amendingAction> the following:
<quotedContent id="id0CBBC3E569144F4C82F7284E8A07C564" styleType="OLC">
<paragraph id="id41FDF1BB9BBB47C4A5E3524BF5898AA9" class="indent1"><num value="1">“(1)</num><subparagraph id="id91AD5FEFF7BF4300B4A874F1257451BA" class="inline"><num value="A">(A) </num><content>for an Indian tribe to submit to the Secretary, by not later than 75 days before the beginning of each tribal program year, a 1-year housing plan for the Indian tribe; or”</content></subparagraph></paragraph></quotedContent><inline role="after-quoted-block">; and</inline></content></subparagraph>
<subparagraph identifier="/us/bill/110/s/2062/tI/s102/1/B" id="idF8F59918960643F5B6BF488AC2280428" class="indent2"><num value="B">(B) </num><content>in subparagraph (B), by <amendingAction type="delete">striking</amendingAction><quotedText>subsection (d)</quotedText>” and <amendingAction type="insert">inserting</amendingAction><quotedText>subsection (c)</quotedText>”;</content></subparagraph></paragraph>
<paragraph identifier="/us/bill/110/s/2062/tI/s102/2" id="idFC02220367234372B854501EA8620C8C" class="indent1"><num value="2">(2) </num><content>by <amendingAction type="delete">striking</amendingAction> subsections (b) and (c) and <amendingAction type="insert">inserting</amendingAction> the following:
<quotedContent id="id6366870C19244BB39002CC8A7421CDF2" styleType="OLC">
<subsection id="idA36451F94C614D18B89D6650A2EE5306" class="indent0"><num value="b">“(b) </num><heading><inline class="smallCaps">1-year Plan Requirement</inline>.—</heading>
<paragraph id="id5C99C0F1041C40D5BF88CE5436916701" class="indent1"><num value="1">“(1) </num><heading><inline class="smallCaps">In general</inline>.—</heading><chapeau>A housing plan of an Indian tribe under this section shall—</chapeau>
<subparagraph id="idF022FFD80A634E028669C5988B1AC845" class="indent2"><num value="A">“(A) </num><content>be in such form as the Secretary may prescribe; and</content></subparagraph>
<subparagraph id="idC88F340DD9644735BD642D6F67F74107" class="indent2"><num value="B">“(B) </num><content>contain the information described in paragraph (2).</content></subparagraph></paragraph>
<paragraph id="id9C0410B7B18A43C2AC4097306BB53E86" class="indent1"><num value="2">“(2) </num><heading><inline class="smallCaps">Required information</inline>.—</heading><chapeau>A housing plan shall include the following information with respect to the tribal program year for which assistance under this Act is made available:</chapeau>
<subparagraph id="id142C7DFAEDDF46529EA4FB48E6E0BD7E" class="indent2"><num value="A">“(A) </num><heading><inline class="smallCaps">Description of planned activities</inline>.—</heading><chapeau>A statement of planned activities, including—</chapeau>
<clause id="IDbd309a3032f84781b1fffeb7328ce56c" class="indent3"><num value="i">“(i) </num><content>the types of household to receive assistance;</content></clause>
<clause id="ID0ed0e7b90dd44dd9ab53cc0e4f4347fb" class="indent3"><num value="ii">“(ii) </num><content>the types and levels of assistance to be provided;</content></clause>
<clause id="IDba01d37177f048929fafd1ca3767612a" class="indent3"><num value="iii">“(iii) </num><content>the number of units planned to be produced;</content></clause>
<clause id="IDef61969430964fb3b030add64e594d88" class="indent3"><num value="iv">“(iv)</num><subclause id="idDF708FBAE6F44E2BAF34936C80F5E3E4" class="inline"><num value="I">(I) </num><content>a description of any housing to be demolished or disposed of;</content></subclause>
<subclause id="id05A63165C5F348CD917B25D162EC72FC" class="indent3"><num value="II">“(II) </num><content>a timetable for the demolition or disposition; and</content></subclause>
<subclause id="id0EB2F5EBC6804FE78CDB28A02C4FFDD5" class="indent3"><num value="III">“(III) </num><content>any other information required by the Secretary with respect to the demolition or disposition;</content></subclause></clause>
<clause id="ID2be88f12f28a402e974d1a390ada4a2e" class="indent3"><num value="v">“(v) </num><content>a description of the manner in which the recipient will protect and maintain the viability of housing owned and operated by the recipient that was developed under a contract between the Secretary and an Indian housing authority pursuant to the United States Housing Act of 1937 (<ref href="/us/usc/t42/s1437/etseq">42 U.S.C. 1437 et seq.</ref>); and</content></clause>
<clause id="IDfa979b0e47f64c93b62d9c0dec2c4fef" class="indent3"><num value="vi">“(vi) </num><content>outcomes anticipated to be achieved by the recipient.</content></clause></subparagraph>
<subparagraph id="id459828BD067E458F94433EA8A3D68728" class="indent2"><num value="B">“(B) </num><heading><inline class="smallCaps">Statement of needs</inline>.—</heading><chapeau>A statement of the housing needs of the low-income Indian families residing in the jurisdiction of the Indian tribe, and the means by which those needs will be addressed during the applicable period, including—</chapeau>
<clause id="IDa9064d87de9944b0ac7b240ed6023a7d" class="indent3"><num value="i">“(i) </num><content>a description of the estimated housing needs and the need for assistance for the low-income Indian families in the jurisdiction, including a description of the manner in which the geographical distribution of assistance is consistent with the geographical needs and needs for various categories of housing assistance; and</content></clause>
<clause id="ID096898a9be084abcb646572b6f87b319" class="indent3"><num value="ii">“(ii) </num><content>a description of the estimated housing needs for all Indian families in the jurisdiction.</content></clause></subparagraph>
<subparagraph id="ID91fecf3ad7e44acc98c553f446218b19" class="indent2"><num value="C">“(C) </num><heading><inline class="smallCaps">Financial resources</inline>.—</heading><chapeau>An operating budget for the recipient, in such form as the Secretary may prescribe, that includes—</chapeau>
<clause id="IDd71d1b75877a4a24bdf669a2c4a86f36" class="indent3"><num value="i">“(i) </num><content>an identification and description of the financial resources reasonably available to the recipient to carry out the purposes of this Act, including an explanation of the manner in which amounts made available will leverage additional resources; and</content></clause>
<clause id="ID6c1fd4455fa44bfb9766ef8339334383" class="indent3"><num value="ii">“(ii) </num><content>the uses to which those resources will be committed, including eligible and required affordable housing activities under title II and administrative expenses.</content></clause></subparagraph>
<subparagraph id="IDcab68ec14e1e474bb3c4692820a94ab3" class="indent2"><num value="D">“(D) </num><heading><inline class="smallCaps">Certification of compliance</inline>.—</heading><chapeau>Evidence of compliance with the requirements of this Act, including, as appropriate—</chapeau>
<clause id="IDc3bc64ad98e04d14aad97cfaece82023" class="indent3"><num value="i">“(i) </num><content>a certification that, in carrying out this Act, the recipient will comply with the applicable provisions of title II of the Civil Rights Act of 1968 (<ref href="/us/usc/t25/s1301/etseq">25 U.S.C. 1301 et seq.</ref>) and other applicable Federal laws and regulations;</content></clause>
<clause id="ID5d9e49262d0e4e669c0c8e8f773541c5" class="indent3"><num value="ii">“(ii) </num><content>a certification that the recipient will maintain adequate insurance coverage for housing units that are owned and operated or assisted with grant amounts provided under this Act, in compliance with such requirements as the Secretary may establish;</content></clause>
<clause id="IDb5080e9dc8c44c3f98212ce2e9b03744" class="indent3"><num value="iii">“(iii) </num><content>a certification that policies are in effect and are available for review by the Secretary and the public governing the eligibility, admission, and occupancy of families for housing assisted with grant amounts provided under this Act;</content></clause>
<clause id="ID6b5685cdebed42e99b2cdf272e3c346d" class="indent3"><num value="iv">“(iv) </num><content>a certification that policies are in effect and are available for review by the Secretary and the public governing rents and homebuyer payments charged, including the methods by which the rents or homebuyer payments are determined, for housing assisted with grant amounts provided under this Act;</content></clause>
<clause id="ID724a712af2e84bec9a5a56d14bd0f9b2" class="indent3"><num value="v">“(v) </num><content>a certification that policies are in effect and are available for review by the Secretary and the public governing the management and maintenance of housing assisted with grant amounts provided under this Act; and</content></clause>
<clause id="IDcf1626fb81cb413fb21c4e10e568a388" class="indent3"><num value="vi">“(vi) </num><content>a certification that the recipient will comply with section 104(b).”</content></clause></subparagraph></paragraph></subsection></quotedContent><inline role="after-quoted-block">;</inline></content></paragraph>
<paragraph identifier="/us/bill/110/s/2062/tI/s102/3" id="id01410D3138704A0EBA81CDCC2030CD19" class="indent1"><num value="3">(3) </num><content>by <amendingAction type="redesignate">redesignating</amendingAction> subsections (d) through (f) as subsections (c) through (e), respectively; and</content></paragraph>
<paragraph identifier="/us/bill/110/s/2062/tI/s102/4" id="id3D720A8F1A614CB4B778A1C1480ED1C3" class="indent1"><num value="4">(4) </num><content>in subsection (d) (as redesignated by paragraph (3)), by <amendingAction type="delete">striking</amendingAction><quotedText>subsection (d)</quotedText>” and <amendingAction type="insert">inserting</amendingAction><quotedText>subsection (c)</quotedText>”.</content></paragraph></section>
<section role="instruction" identifier="/us/bill/110/s/2062/tI/s103" id="id268392FCF7EB4D659274C58748A4A7AB"><num value="103">SEC. 103. </num><heading>REVIEW OF PLANS.</heading>
<chapeau class="indent0">Section 103 of the Native American Housing Assistance and Self-Determination Act of 1996 (<ref href="/us/usc/t25/s4113">25 U.S.C. 4113</ref>) <amendingAction type="amend">is amended</amendingAction></chapeau>
<paragraph identifier="/us/bill/110/s/2062/tI/s103/1" id="idDB7F124710CB419BB1BE68DE28C25924" class="indent1"><num value="1">(1) </num><chapeau>in subsection (d)—</chapeau>
<subparagraph identifier="/us/bill/110/s/2062/tI/s103/1/A" id="id106899451BFB40B99B599BD17BC0612C" class="indent2"><num value="A">(A) </num><chapeau>in the first sentence—</chapeau>
<clause identifier="/us/bill/110/s/2062/tI/s103/1/A/i" id="id11E1AD9CD689409E852D15F745B89A60" class="indent3"><num value="i">(i) </num><content>by <amendingAction type="delete">striking</amendingAction><quotedText>fiscal</quotedText>” each place it appears and <amendingAction type="insert">inserting</amendingAction><quotedText>tribal program</quotedText>”; and</content></clause>
<clause identifier="/us/bill/110/s/2062/tI/s103/1/A/ii" id="id4A0D424BB9B748729984C24E694EBD5C" class="indent3"><num value="ii">(ii) </num><content>by <amendingAction type="delete">striking</amendingAction><quotedText>(with respect to</quotedText>” and all that follows through “<quotedText>section 102(c))</quotedText>”; and</content></clause></subparagraph>
<subparagraph identifier="/us/bill/110/s/2062/tI/s103/1/B" id="id0CF59AC6E60A4FBE83813818E7F127E8" class="indent2"><num value="B">(B) </num><content>by <amendingAction type="delete">striking</amendingAction> the second sentence; and</content></subparagraph></paragraph>
<paragraph identifier="/us/bill/110/s/2062/tI/s103/2" id="idFE62BA1CF45E405FB0681A155CEC82B3" class="indent1"><num value="2">(2) </num><content>by <amendingAction type="delete">striking</amendingAction> subsection (e) and <amendingAction type="insert">inserting</amendingAction> the following:
<quotedContent id="H0CCE16338A9F48019830A77170D28CF2" styleType="OLC">
<subsection id="HAE7BFC249E4943CA9E7919E5D732D3C1" class="indent0"><num value="e">“(e) </num><heading><inline class="smallCaps">Self-determined Activities Program</inline>.—</heading><chapeau>Notwithstanding any other provision of this section, the Secretary—</chapeau>
<paragraph id="H78705F8DDA544526A4EEAAA5191C3C87" class="indent1"><num value="1">“(1) </num><content>shall review the information included in an Indian housing plan pursuant to subsections (b)(4) and (c)(7) only to determine whether the information is included for purposes of compliance with the requirement under section 232(b)(2); and</content></paragraph>
<paragraph id="H27E0C7B206EF4D159CEC34BB2623601B" class="indent1"><num value="2">“(2) </num><content>may not approve or disapprove an Indian housing plan based on the content of the particular benefits, activities, or results included pursuant to subsections (b)(4) and (c)(7).”</content></paragraph></subsection></quotedContent><inline role="after-quoted-block">.</inline></content></paragraph></section>
<section role="instruction" identifier="/us/bill/110/s/2062/tI/s104" id="id82B5AA537F2A4709890E3B732162F924"><num value="104">SEC. 104. </num><heading>TREATMENT OF PROGRAM INCOME AND LABOR STANDARDS.</heading><content>Section 104(a) of the Native American Housing Assistance and Self-Determination Act of 1996 (<ref href="/us/usc/t25/s4114/a">25 U.S.C. 4114(a)</ref>) <amendingAction type="amend">is amended</amendingAction> by <amendingAction type="add">adding</amendingAction> at the end the following:
<quotedContent id="id1F7393CDEEF84EC78134EA768C179610" styleType="OLC">
<paragraph id="idD938BA5DA4CC4B61AC5C37A89267B6B7" class="indent1"><num value="4">“(4) </num><heading><inline class="smallCaps">Exclusion from program income of regular developers fees for low-income housing tax credit projects</inline>.—</heading><content>Notwithstanding any other provision of this Act, any income derived from a regular and customary developers fee for any project that receives a low-income housing tax credit under section 42 of the Internal Revenue Code of 1986, and that is initially funded using a grant provided under this Act, shall not be considered to be program income if the developers fee is approved by the State housing credit agency.”</content></paragraph></quotedContent><inline role="after-quoted-block">.</inline></content></section>
<section role="instruction" identifier="/us/bill/110/s/2062/tI/s105" id="id4D90C3C6594F465EBBD2554D8CDE5A99"><num value="105">SEC. 105. </num><heading>REGULATIONS.</heading>
<chapeau class="indent0">Section 106(b)(2) of the Native American Housing Assistance and Self-Determination Act of 1996 (<ref href="/us/usc/t25/s4116/b/2">25 U.S.C. 4116(b)(2)</ref>) <amendingAction type="amend">is amended</amendingAction></chapeau>
<paragraph identifier="/us/bill/110/s/2062/tI/s105/1" id="id6451D72020944837A9E6C1039691BC7B" class="indent1"><num value="1">(1) </num><content>in subparagraph (B)(i), by <amendingAction type="delete">striking</amendingAction><quotedText>The Secretary</quotedText>” and <amendingAction type="insert">inserting</amendingAction><quotedText>Not later than 180 days after the date of enactment of the Native American Housing Assistance and Self-Determination Reauthorization Act of 2007 and any other Act to reauthorize this Act, the Secretary</quotedText>”; and</content></paragraph>
<paragraph identifier="/us/bill/110/s/2062/tI/s105/2" id="idDD5681450DC540D3BCCA1CC8FD693ADC" class="indent1"><num value="2">(2) </num><content>by <amendingAction type="add">adding</amendingAction> at the end the following:
<quotedContent id="idB104F840B7714323A246BF9C1FCC17F1" styleType="OLC">
<subparagraph id="idE2A3E36D833E4388B5E7A6A0EDA236D3" class="indent2"><num value="C">“(C) </num><heading><inline class="smallCaps">Subsequent negotiated rulemaking</inline>.—</heading><chapeau>The Secretary shall—</chapeau>
<clause id="idF567212F687F44CAAD46A3DA1777C903" class="indent3"><num value="i">“(i) </num><content>initiate a negotiated rulemaking in accordance with this section by not later than 90 days after the date of enactment of the Native American Housing Assistance and Self-Determination Reauthorization Act of 2007 and any other Act to reauthorize this Act; and</content></clause>
<clause id="id35C28C4460F24BCABD860BFF784DE35D" class="indent3"><num value="ii">“(ii) </num><content>promulgate regulations pursuant to this section by not later than 2 years after the date of enactment of the Native American Housing Assistance and Self-Determination Reauthorization Act of 2007 and any other Act to reauthorize this Act.</content></clause></subparagraph>
<subparagraph id="id47C184A9B01644DAB97148581433064E" class="indent2"><num value="D">“(D) </num><heading><inline class="smallCaps">Review</inline>.—</heading><content>Not less frequently than once every 7 years, the Secretary, in consultation with Indian tribes, shall review the regulations promulgated pursuant to this section in effect on the date on which the review is conducted.”</content></subparagraph></quotedContent><inline role="after-quoted-block">.</inline></content></paragraph></section></title>
<title identifier="/us/bill/110/s/2062/tII" id="id8E8AAB3C472448EE96269443535A50EC"><num value="II">TITLE II—</num><heading class="inline">AFFORDABLE HOUSING ACTIVITIES</heading>
<section role="instruction" identifier="/us/bill/110/s/2062/tII/s201" id="id9085AE6244DF46E09EA1EC10D6C821AC"><num value="201">SEC. 201. </num><heading>NATIONAL OBJECTIVES AND ELIGIBLE FAMILIES.</heading>
<chapeau class="indent0">Section 201(b) of the Native American Housing Assistance and Self-Determination Act of 1996 (<ref href="/us/usc/t25/s4131/b">25 U.S.C. 4131(b)</ref>) <amendingAction type="amend">is amended</amendingAction></chapeau>
<paragraph identifier="/us/bill/110/s/2062/tII/s201/1" id="idE2F2DF434CCB4DD793C6EBE7C9939DF7" class="indent1"><num value="1">(1) </num><content>in paragraph (1), by <amendingAction type="insert">inserting</amendingAction><quotedText>and except with respect to loan guarantees under title VI,</quotedText>” after “<quotedText>paragraphs (2) and (4),</quotedText>”;</content></paragraph>
<paragraph identifier="/us/bill/110/s/2062/tII/s201/2" id="idFD9070F2593B452989591515DA491C40" class="indent1"><num value="2">(2) </num><chapeau>in paragraph (2)—</chapeau>
<subparagraph identifier="/us/bill/110/s/2062/tII/s201/2/A" id="id23CFFCF31BC14E2CA8C615AE60E77274" class="indent2"><num value="A">(A) </num><content>by <amendingAction type="delete">striking</amendingAction> the first sentence and <amendingAction type="insert">inserting</amendingAction> the following:
<quotedContent id="idC0A7417A9B794D97B854EC491CD398A1" styleType="OLC">
<subparagraph id="id7F47341621324E86BC0ABC2D3CF1BE43" class="indent2"><num value="A">“(A) </num><heading><inline class="smallCaps">Exception to requirement</inline>.—</heading><content>Notwithstanding paragraph (1), a recipient may provide housing or housing assistance through affordable housing activities for which a grant is provided under this Act to any family that is not a low-income family, to the extent that the Secretary approves the activities due to a need for housing for those families that cannot reasonably be met without that assistance.”</content></subparagraph></quotedContent><inline role="after-quoted-block">; and</inline></content></subparagraph>
<subparagraph identifier="/us/bill/110/s/2062/tII/s201/2/B" id="id86311050C6234B848221EE450620E77E" class="indent2"><num value="B">(B) </num><content>in the second sentence, by <amendingAction type="delete">striking</amendingAction><quotedText>The Secretary</quotedText>” and <amendingAction type="insert">inserting</amendingAction> the following:
<quotedContent id="id7F10A9B71D584D1A9BD62254FA5E3678" styleType="OLC">
<subparagraph id="id33A7A7EF9EFF419FAB07203AA90AF1B1" class="indent2"><num value="B">“(B) </num><heading><inline class="smallCaps">Limits</inline>.—</heading><content>The Secretary”</content></subparagraph></quotedContent><inline role="after-quoted-block">;</inline></content></subparagraph></paragraph>
<paragraph identifier="/us/bill/110/s/2062/tII/s201/3" id="id29DE8F99BD8542A88435892C3FAAB949" class="indent1"><num value="3">(3) </num><chapeau>in paragraph (3)—</chapeau>
<subparagraph identifier="/us/bill/110/s/2062/tII/s201/3/A" id="idF1FE3E13739D4246BC5A6E87BB6A074E" class="indent2"><num value="A">(A) </num><content>in the paragraph heading, by <amendingAction type="delete">striking</amendingAction><headingText role="paragraph" styleType="OLC" class="smallCaps">Non-Indian</headingText>” and <amendingAction type="insert">inserting</amendingAction><headingText role="paragraph" styleType="OLC" class="smallCaps">Essential</headingText>”; and</content></subparagraph>
<subparagraph identifier="/us/bill/110/s/2062/tII/s201/3/B" id="id58122BC11FEA4CA594C99818C7444A8F" class="indent2"><num value="B">(B) </num><content>by <amendingAction type="delete">striking</amendingAction><quotedText>non-Indian family</quotedText>” and <amendingAction type="insert">inserting</amendingAction><quotedText>family</quotedText>”; and</content></subparagraph></paragraph>
<paragraph identifier="/us/bill/110/s/2062/tII/s201/4" id="id5803AC204BF34AAD90ACB1FA51B45598" class="indent1"><num value="4">(4) </num><content>in paragraph (4)(A)(i), by <amendingAction type="insert">inserting</amendingAction><quotedText>or other unit of local government,</quotedText>” after “<quotedText>county,</quotedText>”.</content></paragraph></section>
<section role="instruction" identifier="/us/bill/110/s/2062/tII/s202" id="id69E79115EB6A4F66B9D6C7A28ED63480"><num value="202">SEC. 202. </num><heading>ELIGIBLE AFFORDABLE HOUSING ACTIVITIES.</heading>
<chapeau class="indent0">Section 202 of the Native American Housing Assistance and Self-Determination Act of 1996 (<ref href="/us/usc/t25/s4132">25 U.S.C. 4132</ref>) <amendingAction type="amend">is amended</amendingAction></chapeau>
<paragraph identifier="/us/bill/110/s/2062/tII/s202/1" id="id454EE3201DB04DA0B404502C95513DE6" class="indent1"><num value="1">(1) </num><content>in the matter preceding paragraph (1), by <amendingAction type="delete">striking</amendingAction><quotedText>to develop or to support</quotedText>” and <amendingAction type="insert">inserting</amendingAction><quotedText>to develop, operate, maintain, or support</quotedText>”;</content></paragraph>
<paragraph identifier="/us/bill/110/s/2062/tII/s202/2" id="idE46AEB7ACD5046C494105D94F1659F93" class="indent1"><num value="2">(2) </num><chapeau>in paragraph (2)—</chapeau>
<subparagraph identifier="/us/bill/110/s/2062/tII/s202/2/A" id="id401C9658B9374DE89E56C3BE1D7B304F" class="indent2"><num value="A">(A) </num><content>by <amendingAction type="delete">striking</amendingAction><quotedText>development of utilities</quotedText>” and <amendingAction type="insert">inserting</amendingAction><quotedText>development and rehabilitation of utilities, necessary infrastructure,</quotedText>”; and</content></subparagraph>
<subparagraph identifier="/us/bill/110/s/2062/tII/s202/2/B" id="id045B25675AAF489097852949AB5764E8" class="indent2"><num value="B">(B) </num><content>by <amendingAction type="insert">inserting</amendingAction><quotedText>mold remediation,</quotedText>” after “<quotedText>energy efficiency,</quotedText>”;</content></subparagraph></paragraph>
<paragraph identifier="/us/bill/110/s/2062/tII/s202/3" id="id5D9DF62491B64D3E91B0C4286F2B54A8" class="indent1"><num value="3">(3) </num><content>in paragraph (4), by <amendingAction type="insert">inserting</amendingAction><quotedText>the costs of operation and maintenance of units developed with funds provided under this Act,</quotedText>” after “<quotedText>rental assistance,</quotedText>”; and</content></paragraph>
<paragraph identifier="/us/bill/110/s/2062/tII/s202/4" id="id7E94E8D1A8A94D4C9E60CF42ED590A83" class="indent1"><num value="4">(4) </num><content>by <amendingAction type="add">adding</amendingAction> at the end the following:
<quotedContent id="idD912B1ED64D6453F9C5814299C3036F3" styleType="OLC">
<paragraph id="IDb719c87a0b1a407ea627728825cf88a1" class="indent1"><num value="9">“(9) </num><heading><inline class="smallCaps">Reserve accounts</inline>.—</heading>
<subparagraph id="idC0DDADAF34124E568E1BE01086B31A63" class="indent2"><num value="A">“(A) </num><heading><inline class="smallCaps">In general</inline>.—</heading><content>Subject to subparagraph (B), the deposit of amounts, including grant amounts under section 101, in a reserve account established for an Indian tribe only for the purpose of accumulating amounts for administration and planning relating to affordable housing activities under this section, in accordance with the Indian housing plan of the Indian tribe.</content></subparagraph>
<subparagraph id="id8A506A56626447318A74D7B8E00698B2" class="indent2"><num value="B">“(B) </num><heading><inline class="smallCaps">Maximum amount</inline>.—</heading><content>A reserve account established under subparagraph (A) shall consist of not more than an amount equal to ¼ of the 5-year average of the annual amount used by a recipient for administration and planning under paragraph (2).”</content></subparagraph></paragraph></quotedContent><inline role="after-quoted-block">.</inline></content></paragraph></section>
<section role="instruction" identifier="/us/bill/110/s/2062/tII/s203" id="id677746066FF043C09FD21A3E0766A32D"><num value="203">SEC. 203. </num><heading>PROGRAM REQUIREMENTS.</heading><content>Section 203 of the Native American Housing Assistance and Self-Determination Act of 1996 (<ref href="/us/usc/t25/s4133">25 U.S.C. 4133</ref>) <amendingAction type="amend">is amended</amendingAction> by <amendingAction type="add">adding</amendingAction> at the end the following:
<quotedContent id="id7E89191181BB4DEEB2733D6875EDA265" styleType="OLC">
<subsection id="ID0549d8a1245342c7bded305e6dce990a" class="indent0"><num value="f">“(f) </num><heading><inline class="smallCaps">Use of Grant Amounts Over Extended Periods</inline>.—</heading>
<paragraph id="id10D126EBD6784438A58B92C141867299" class="indent1"><num value="1">“(1) </num><heading><inline class="smallCaps">In general</inline>.—</heading><content>To the extent that the Indian housing plan for an Indian tribe provides for the use of amounts of a grant under section 101 for a period of more than 1 fiscal year, or for affordable housing activities for which the amounts will be committed for use or expended during a subsequent fiscal year, the Secretary shall not require those amounts to be used or committed for use at any time earlier than otherwise provided for in the Indian housing plan.</content></paragraph>
<paragraph id="id2F3B8309949F413D8F28D2DE5516E27C" class="indent1"><num value="2">“(2) </num><heading><inline class="smallCaps">Carryover</inline>.—</heading><content>Any amount of a grant provided to an Indian tribe under section 101 for a fiscal year that is not used by the Indian tribe during that fiscal year may be used by the Indian tribe during any subsequent fiscal year.</content></paragraph></subsection>
<subsection id="ID768bdaf8fd3b4965bcd1ddc0eff22f91" class="indent0"><num value="g">“(g) </num><heading><inline class="smallCaps">De Minimis Exemption for Procurement of Goods and Services</inline>.—</heading><content>Notwithstanding any other provision of law, a recipient shall not be required to act in accordance with any otherwise applicable competitive procurement rule or procedure with respect to the procurement, using a grant provided under this Act, of goods and services the value of which is less than $5,000.”</content></subsection></quotedContent><inline role="after-quoted-block">.</inline></content></section>
<section role="instruction" identifier="/us/bill/110/s/2062/tII/s204" id="id62D077D8B01D4C22B417204F08B9F69D"><num value="204">SEC. 204. </num><heading>LOW-INCOME REQUIREMENT AND INCOME TARGETING.</heading><content>Section 205 of the Native American Housing Assistance and Self-Determination Act of 1996 (<ref href="/us/usc/t25/s4135">25 U.S.C. 4135</ref>) <amendingAction type="amend">is amended</amendingAction> by <amendingAction type="add">adding</amendingAction> at the end the following:
<quotedContent id="id6325A140019346CE892B7E0B02EDD160" styleType="OLC">
<subsection id="ID754bab701add4e2588ce0b0761d6b79a" class="indent0"><num value="c">“(c) </num><heading><inline class="smallCaps">Applicability</inline>.—</heading><content><deletedText>This section</deletedText><addedText>Paragraph (2) of subsection (a)</addedText> applies only to rental and homeownership units that are owned or operated by a recipient.”</content></subsection></quotedContent><inline role="after-quoted-block">.</inline></content></section>
<section role="instruction" identifier="/us/bill/110/s/2062/tII/s205" id="id3967F7F36809443D8AC33130A59BC2C8"><num value="205">SEC. 205. </num><heading>TREATMENT OF FUNDS.</heading><content>The Native American Housing Assistance and Self-Determination Act of 1996 <amendingAction type="amend">is amended</amendingAction> by <amendingAction type="insert">inserting</amendingAction> after section 205 (<ref href="/us/usc/t25/s4135">25 U.S.C. 4135</ref>) the following:
<quotedContent id="idD864A9A0E8874A26AC98B5E86253D2C8" styleType="OLC">
<section id="idC8D269F2DAD34B84A3D50BD0A1DA7467"><num value="206">“SEC. 206. </num><heading>TREATMENT OF FUNDS.</heading><content>“Notwithstanding any other provision of law, tenant- and project-based rental assistance provided using funds made available under this Act shall not be considered to be Federal funds for purposes of section 42 of the Internal Revenue Code of 1986.”</content></section></quotedContent><inline role="after-quoted-block">.</inline></content></section>
<section role="instruction" identifier="/us/bill/110/s/2062/tII/s206" id="id6846EDF6E639427592044AC446115994"><num value="206">SEC. 206. </num><heading>AVAILABILITY OF RECORDS.</heading><content>Section 208(a) of the Native American Housing Assistance and Self-Determination Act of 1996 (<ref href="/us/usc/t25/s4138/a">25 U.S.C. 4138(a)</ref>) <amendingAction type="amend">is amended</amendingAction> by <amendingAction type="insert">inserting</amendingAction><quotedText>applicants for employment, and of</quotedText>” after “<quotedText>records of</quotedText>”.</content></section>
<section identifier="/us/bill/110/s/2062/tII/s207" id="id361F352D45E5400E9708DBE771760C67"><num value="207">SEC. 207. </num><heading>SELF-DETERMINED HOUSING ACTIVITIES FOR TRIBAL COMMUNITIES PROGRAM.</heading>
<subsection role="instruction" identifier="/us/bill/110/s/2062/tII/s207/a" id="idBFB8CC41F4064191A2969B5E26B75511" class="indent0"><num value="a">(a) </num><heading><inline class="smallCaps">Establishment of Program</inline>.—</heading><chapeau>Title II of the Native American Housing Assistance and Self-Determination Act of 1996 (<ref href="/us/usc/t25/s4131/etseq">25 U.S.C. 4131 et seq.</ref>) <amendingAction type="amend">is amended</amendingAction></chapeau>
<paragraph identifier="/us/bill/110/s/2062/tII/s207/a/1" id="id896156E302AB445EBF8C841032E1D023" class="indent1"><num value="1">(1) </num><content>by <amendingAction type="insert">inserting</amendingAction> after the title designation and heading the following:
<quotedContent id="id77C458AA3BED412F81340A2D559B42C8" styleType="OLC">
<subtitle id="id653AC8150D654BFFA4C60C230EDB172F"><num value="A">“Subtitle A—</num><heading>General Block Grant Program”</heading> </subtitle></quotedContent><inline role="after-quoted-block">;</inline>
<continuation class="indent0" role="paragraph">and</continuation></content></paragraph>
<paragraph identifier="/us/bill/110/s/2062/tII/s207/a/2" id="idD7EDF6ECC0444A2AA3F68F15746CDFD2" class="indent1"><num value="2">(2) </num><content>by <amendingAction type="add">adding</amendingAction> at the end the following:
<quotedContent id="H4D25DC7AA08A40FF84D3CBBE34E2856E" styleType="OLC">
<subtitle id="H16384DE3DD184C95B9381DA71C2F6954"><num value="B">“Subtitle B—</num><heading>Self-determined Housing Activities for Tribal Communities</heading>
<section id="H2B3C1019F13C46CD8CF7D78E38247E1D"><num value="231">“SEC. 231. </num><heading>PURPOSE.</heading><content>“The purpose of this subtitle is to establish a program for self-determined housing activities for the tribal communities to provide Indian tribes with the flexibility to use a portion of the grant amounts under section 101 for the Indian tribe in manners that are wholly self-determined by the Indian tribe for housing activities involving construction, acquisition, rehabilitation, or infrastructure relating to housing activities or housing that will benefit the community served by the Indian tribe.</content></section>
<section id="H881D8DE3CA8541399DAFF65C63578B99"><num value="232">“SEC. 232. </num><heading>PROGRAM AUTHORITY.</heading>
<subsection role="definitions" id="HF9D267E506E8450D80907E00CBD19B1" class="indent0"><num value="a">“(a) </num><heading><inline class="smallCaps">Definition of Qualifying Indian Tribe</inline>.—</heading><chapeau>In this section, the term <term>qualifying Indian tribe</term> means, with respect to a fiscal year, an Indian tribe or tribally designated housing entity—</chapeau>
<paragraph id="HA67CFBF7669B4EE2A9D53165BE8EFBD2" class="indent1"><num value="1">“(1) </num><content><addedText>to or</addedText> on behalf of which a grant is made under section 101;</content></paragraph>
<paragraph id="HA812AB592CB64C85BE339558FC865E63" class="indent1"><num value="2">“(2) </num><content>that has complied with the requirements of section 102(b)(6); and</content></paragraph>
<paragraph id="H197E93F2E9B24AF19FBA72D0045F3EFE" class="indent1"><num value="3">“(3) </num><chapeau>that, during the preceding 3-fiscal-year period, has no unresolved significant and material audit findings or exceptions, as demonstrated in—</chapeau>
<subparagraph id="id73221392F32144988C2DA49FA311F4A1" class="indent2"><num value="A">“(A) </num><content>the annual audits of that period completed under <ref href="/us/usc/t31/ch75">chapter 75 of title 31, United States Code</ref> (commonly known as the Single Audit Act); or</content></subparagraph>
<subparagraph id="idDBDD562AD010416FA5E3B5BB33259808" class="indent2"><num value="B">“(B) </num><content>an independent financial audit prepared in accordance with generally accepted auditing principles.</content></subparagraph></paragraph></subsection>
<subsection id="HBBC96F338A1B4984B69773007EEBCB36" class="indent0"><num value="b">“(b) </num><heading><inline class="smallCaps">Authority</inline>.—</heading><content>Under the program under this subtitle, for each of fiscal years 2008 through 2012, the recipient for each qualifying Indian tribe may use the amounts specified in subsection (c) in accordance with this subtitle.</content></subsection>
<subsection id="H01CFE79AEF4B4E27B86B0089FB213151" class="indent0"><num value="c">“(c) </num><heading><inline class="smallCaps">Amounts</inline>.—</heading><chapeau>With respect to a fiscal year and a recipient, the amounts referred to in subsection (b) are amounts from any grant provided under section 101 to the recipient for the fiscal year, as determined by the recipient, but in no case exceeding the lesser of—</chapeau>
<paragraph id="id058AB4F42BAB403B87A44CB39747E020" class="indent1"><num value="1">“(1) </num><content>an amount equal to 20 percent of the total grant amount for the recipient for that fiscal year; and</content></paragraph>
<paragraph id="id340F89C5F1504E0A8887B10A97AAB00D" class="indent1"><num value="2">“(2) </num><content>$2,000,000.</content></paragraph></subsection></section>
<section id="H1B6B41905C0842B3A01F45B1AB75214"><num value="233">“SEC. 233. </num><heading>USE OF AMOUNTS FOR HOUSING ACTIVITIES.</heading>
<subsection id="HFFBA242F18C948E78492AA2998E3751E" class="indent0"><num value="a">“(a) </num><heading><inline class="smallCaps">Eligible Housing Activities</inline>.—</heading><content>Any amounts made available for use under this subtitle by a recipient for an Indian tribe shall be used only for housing activities, as selected at the discretion of the recipient and described in the Indian housing plan for the Indian tribe pursuant to section 102(b)(6), for the construction, acquisition, or rehabilitation of housing or infrastructure to provide a benefit to families described in section 201(b)(1).</content></subsection>
<subsection id="HDA830305EBC24F87987B2C43F1F9741C" class="indent0"><num value="b">“(b) </num><heading><inline class="smallCaps">Prohibition on Certain Activities</inline>.—</heading><content>Amounts made available for use under this subtitle may not be used for commercial or economic development.</content></subsection></section>
<section id="H8961E37E72AA4C50B0E5D15C237914CA"><num value="234">“SEC. 234. </num><heading>INAPPLICABILITY OF OTHER PROVISIONS.</heading>
<subsection id="H83DC34061CAA428884CC9528C74F6464" class="indent0"><num value="a">“(a) </num><heading><inline class="smallCaps">In General</inline>.—</heading><chapeau>Except as otherwise specifically provided in this Act, title I, subtitle A of title II, and titles III through VIII shall not apply to—</chapeau>
<paragraph id="idF8C373782C734CCAB8CB382D785B1B79" class="indent1"><num value="1">“(1) </num><content>the program under this subtitle; or</content></paragraph>
<paragraph id="id57BD32D8D2EB432090D6164243298CD3" class="indent1"><num value="2">“(2) </num><content>amounts made available in accordance with this subtitle.</content></paragraph></subsection>
<subsection id="HD1C1A529B67D4D22A05290B57913BEA8" class="indent0"><num value="b">“(b) </num><heading><inline class="smallCaps">Applicable Provisions</inline>.—</heading><chapeau>The following provisions of titles I through VIII shall apply to the program under this subtitle and amounts made available in accordance with this subtitle:</chapeau>
<paragraph id="H29B8B1B84A734764B577CEAAE1B63400" class="indent1"><num value="1">“(1) </num><content>Section 101(c) (relating to local cooperation agreements).</content></paragraph>
<paragraph id="H9269FEAF26CE44FA890039FB8F184851" class="indent1"><num value="2">“(2) </num><content>Subsections (d) and (e) of section 101 (relating to tax exemption).</content></paragraph>
<paragraph id="idDD09F7B4B2FD4D528AF51A1FBB89FF04" class="indent1"><num value="3">“(3) </num><content>Section 101(j) (relating to Federal supply sources).</content></paragraph>
<paragraph id="idC44D32F0E6C94415A1E5685B2845F626" class="indent1"><num value="4">“(4) </num><content>Section 101(k) (relating to tribal preference in employment and contracting).</content></paragraph>
<paragraph id="HF482C210B1834DB288394EB67DBA3C43" class="indent1"><num value="5">“(5) </num><content>Section 102(b)(4) (relating to certification of compliance).</content></paragraph>
<paragraph id="HFEE0C303C2A541D9901FE3D4BB88BF03" class="indent1"><num value="6">“(6) </num><content>Section 104 (relating to treatment of program income and labor standards).</content></paragraph>
<paragraph id="HB762DF67725A45EA9FBE0CB9992EBA4" class="indent1"><num value="7">“(7) </num><content>Section 105 (relating to environmental review).</content></paragraph>
<paragraph id="HD3B921F64A074C0582BF9B45BFDFE17" class="indent1"><num value="8">“(8) </num><content>Section 201(b) (relating to eligible families).</content></paragraph>
<paragraph id="H9CA8587A18104FF6BD48D616C7C87FE" class="indent1"><num value="9">“(9) </num><content>Section 203(c) (relating to insurance coverage).</content></paragraph>
<paragraph id="id7EB9F5C86E5747999F5DF4695418AA41" class="indent1"><num value="10">“(10) </num><content>Section 203(g) (relating to a de minimis exemption for procurement of goods and services).</content></paragraph>
<paragraph id="idB110D0DD192E4DC5BD30491975F1A706" class="indent1"><num value="11">“(11) </num><content>Section 206 (relating to treatment of funds).</content></paragraph>
<paragraph id="HC4E51D98BEFC4DD99E003219732518E4" class="indent1"><num value="12">“(12) </num><content>Section 209 (relating to noncompliance with affordable housing requirement).</content></paragraph>
<paragraph id="HCB9F3BDC00C04A9BA68387A76127E053" class="indent1"><num value="13">“(13) </num><content>Section 401 (relating to remedies for noncompliance).</content></paragraph>
<paragraph id="HF6B7533871164F3DAF114CB400F8273B" class="indent1"><num value="14">“(14) </num><content>Section 408 (relating to public availability of information).</content></paragraph>
<paragraph id="H6D6832A0AFDB4A1C86E2DB4834CA6FFE" class="indent1"><num value="15">“(15) </num><content>Section 702 (relating to 50-year leasehold interests in trust or restricted lands for housing purposes).</content></paragraph></subsection></section>
<section id="H5E86F8F5FB1B460CA4FC6D01A3E49CA3"><num value="235">“SEC. 235. </num><heading>REVIEW AND REPORT.</heading>
<subsection id="H982887C90360432E827CEF538B6ECAE9" class="indent0"><num value="a">“(a) </num><heading><inline class="smallCaps">Review</inline>.—</heading><chapeau>During calendar year 2011, the Secretary shall conduct a review of the results achieved by the program under this subtitle to determine—</chapeau>
<paragraph id="HD9C81E6143AB4CDE982CCEF7E0D9D5F0" class="indent1"><num value="1">“(1) </num><content>the housing constructed, acquired, or rehabilitated under the program;</content></paragraph>
<paragraph id="HB5C7903981104214B0F47957D3025C08" class="indent1"><num value="2">“(2) </num><content>the effects of the housing described in paragraph (1) on costs to low-income families of affordable housing;</content></paragraph>
<paragraph id="H634552BF0E5E4CC29FB738E432D0A0C8" class="indent1"><num value="3">“(3) </num><content>the effectiveness of each recipient in achieving the results intended to be achieved, as described in the Indian housing plan for the Indian tribe; and</content></paragraph>
<paragraph id="HED42C1C8C5384C63A150E790C2AFDC88" class="indent1"><num value="4">“(4) </num><content>the need for, and effectiveness of, extending the duration of the program and increasing the amount of grants under section 101 that may be used under the program.</content></paragraph></subsection>
<subsection id="HBF17C289B322428AAB68F77F6098A395" class="indent0"><num value="b">“(b) </num><heading><inline class="smallCaps">Report</inline>.—</heading><chapeau>Not later than December 31, 2011, the Secretary shall submit to Congress a report describing the information obtained pursuant to the review under subsection (a) (including any conclusions and recommendations of the Secretary with respect to the program under this subtitle), including—</chapeau>
<paragraph id="HE241363AC87F4151B20429F2F56DC99F" class="indent1"><num value="1">“(1) </num><content>recommendations regarding extension of the program for subsequent fiscal years and increasing the amounts under section 232(c) that may be used under the program; and</content></paragraph>
<paragraph id="H2B1279CF814546C49FB343DBE1CC6348" class="indent1"><num value="2">“(2) </num><chapeau>recommendations for—</chapeau>
<subparagraph id="H056CD1462D66485CB2C638DB44EC9CB" class="indent2"><num value="A">“(A)</num><clause id="idD88F54832DC34641AAEB62DEAD5995B5" class="inline"><num value="i">(i) </num><content>specific Indian tribes or recipients that should be prohibited from participating in the program for failure to achieve results; and</content></clause>
<clause id="id4D798CD61F1E45B5A3C53F743C8D1EE1" class="indent2"><num value="ii">“(ii) </num><content>the period for which such a prohibition should remain in effect; or</content></clause></subparagraph>
<subparagraph id="H0635983112DC4D50B0434B7FB414178" class="indent2"><num value="B">“(B) </num><content>standards and procedures by which Indian tribes or recipients may be prohibited from participating in the program for failure to achieve results.</content></subparagraph></paragraph></subsection>
<subsection id="HCFA8FF3F910E47B088DAB613CB76F0F9" class="indent0"><num value="c">“(c) </num><heading><inline class="smallCaps">Provision of Information to Secretary</inline>.—</heading><content>Notwithstanding any other provision of this Act, recipients participating in the program under this subtitle shall provide such information to the Secretary as the Secretary may request, in sufficient detail and in a timely manner sufficient to ensure that the review and report required by this section is accomplished in a timely manner.”</content></subsection></section></subtitle></quotedContent><inline role="after-quoted-block">.</inline></content></paragraph></subsection>
<subsection role="instruction" identifier="/us/bill/110/s/2062/tII/s207/b" id="HC609516845184D818687AF6EEF465BA8" class="indent0"><num value="b">(b) </num><heading><inline class="smallCaps">Technical Amendment</inline>.—</heading><chapeau>The table of contents in section 1(b) of the Native American Housing Assistance and Self-Determination Act of 1996 (<ref href="/us/usc/t25/s4101">25 U.S.C. 4101 note</ref>) <amendingAction type="amend">is amended</amendingAction></chapeau>
<paragraph identifier="/us/bill/110/s/2062/tII/s207/b/1" id="HA29D472B4D7A4DE9978D65DAA4C686BA" class="indent1"><num value="1">(1) </num><content>by <amendingAction type="insert">inserting</amendingAction> after the item for title II the following:
<quotedContent id="H49E470E30CF84012B8FA1FE6217391A7" styleType="OLC">
<toc>
<referenceItem role="subtitle">
<designator>“Subtitle A—</designator><label>General Block Grant Program”</label>
</referenceItem></toc> </quotedContent><inline role="after-quoted-block">;</inline></content></paragraph>
<paragraph identifier="/us/bill/110/s/2062/tII/s207/b/2" id="idEF0D7D1F368247B494621BDE7CFCBB10" class="indent1"><num value="2">(2) </num><content>by <amendingAction type="insert">inserting</amendingAction> after the item for section 205 the following:
<quotedContent id="id46806D36C8B04E91920225DC443EB1BA" styleType="OLC">
<toc>
<referenceItem role="section">
<designator>“Sec.206.</designator>
<label>Treatment of funds.”</label>
</referenceItem></toc> </quotedContent><inline role="after-quoted-block">;</inline>
<continuation class="indent0" role="paragraph">and</continuation></content></paragraph>
<paragraph identifier="/us/bill/110/s/2062/tII/s207/b/3" id="HE1307C83EEE64734AAF3D6CECCEFC239" class="indent1"><num value="3">(3) </num><content>by <amendingAction type="insert">inserting</amendingAction> before the item for title III the following:
<quotedContent id="H462BBE119A924CD996F0002EFBF461AE" styleType="OLC">
<toc>
<referenceItem role="subtitle">
<designator>“Subtitle B—</designator><label>Self-determined Housing Activities for Tribal Communities</label>
</referenceItem>
<referenceItem role="section">
<designator>“Sec.231.</designator>
<label>Purposes.</label>
</referenceItem>
<referenceItem role="section">
<designator>“Sec.232.</designator>
<label>Program authority.</label>
</referenceItem>
<referenceItem role="section">
<designator>“Sec.233.</designator>
<label>Use of amounts for housing activities.</label>
</referenceItem>
<referenceItem role="section">
<designator>“Sec.234.</designator>
<label>Inapplicability of other provisions.</label>
</referenceItem>
<referenceItem role="section">
<designator>“Sec.235.</designator>
<label>Review and report.”</label>
</referenceItem></toc> </quotedContent><inline role="after-quoted-block">.</inline></content></paragraph></subsection></section></title>
<title identifier="/us/bill/110/s/2062/tIII" id="id26CAF20B59664692AAEBB3275C4E8A0A"><num value="III">TITLE III—</num><heading class="inline">ALLOCATION OF GRANT AMOUNTS</heading>
<section role="instruction" identifier="/us/bill/110/s/2062/tIII/s301" id="idC9F9B20AD9984EF184A3A53C8F2E257A"><num value="301">SEC. 301. </num><heading>ALLOCATION FORMULA.</heading>
<chapeau class="indent0">Section 302 of the Native American Housing Assistance and Self-Determination Act of 1996 (<ref href="/us/usc/t25/s4152">25 U.S.C. 4152</ref>) <amendingAction type="amend">is amended</amendingAction></chapeau>
<paragraph identifier="/us/bill/110/s/2062/tIII/s301/1" id="idE08008E030D043D885FA688009684838" class="indent1"><num value="1">(1) </num><chapeau>in subsection (a)—</chapeau>
<subparagraph identifier="/us/bill/110/s/2062/tIII/s301/1/A" id="id3313BCF300624EC680F11650387F1FB7" class="indent2"><num value="A">(A) </num><content>by <amendingAction type="delete">striking</amendingAction><quotedText>The Secretary</quotedText>” and <amendingAction type="insert">inserting</amendingAction> the following:
<quotedContent id="idF2D67508010F48A3AA585934F839AF6A" styleType="OLC">
<paragraph id="idF8663EE032314927AC93BA215F343AA9" class="indent1"><num value="1">“(1) </num><heading><inline class="smallCaps">In general</inline>.—</heading><content>The Secretary”</content></paragraph></quotedContent><inline role="after-quoted-block">; and</inline></content></subparagraph>
<subparagraph identifier="/us/bill/110/s/2062/tIII/s301/1/B" id="idB2EF3A9086C7462484E7EE85D7D4E1CB" class="indent2"><num value="B">(B) </num><content>by <amendingAction type="add">adding</amendingAction> at the end the following:
<quotedContent id="id8CAA620DA83D435FA0E12AB9B0519D1E" styleType="OLC">
<paragraph id="id5C1700467A7147CD975C470D4D217DFD" class="indent1"><num value="2">“(2) </num><heading><inline class="smallCaps">Study of need data</inline>.—</heading>
<subparagraph id="id5CFAEFDC535546719F21FC9F9019933F" class="indent2"><num value="A">“(A) </num><heading><inline class="smallCaps">In general</inline>.—</heading><chapeau>The Secretary shall enter into a contract with an organization with expertise in housing and other demographic data collection methodologies under which the organization, in consultation with Indian tribes and Indian organizations, shall—</chapeau>
<clause id="id91752DEB769B4771B6F8ACAC5B8BEA45" class="indent3"><num value="i">“(i) </num><content>assess existing data sources, including alternatives to the decennial census, for use in evaluating the factors for determination of need described in subsection (b); and</content></clause>
<clause id="id23EF6891A0C54782BDD2D1E3478549BF" class="indent3"><num value="ii">“(ii) </num><content>develop and recommend methodologies for collecting data on any of those factors, including formula area, in any case in which existing data is determined to be insufficient or inadequate, or fails to satisfy the requirements of this Act.</content></clause></subparagraph>
<subparagraph id="id749E09BCFD1749C0B7A1C440D3E7A931" class="indent2"><num value="B">“(B) </num><heading><inline class="smallCaps">Authorization of appropriations</inline>.—</heading><content>There are authorized to be appropriated such sums as are necessary to carry out this section, to remain available until expended.”</content></subparagraph></paragraph></quotedContent><inline role="after-quoted-block">; and</inline></content></subparagraph></paragraph>
<paragraph identifier="/us/bill/110/s/2062/tIII/s301/2" id="id0569ABB4EDBA48CD9D73FD3C9C2CEED3" class="indent1"><num value="2">(2) </num><content>in subsection (b), by <amendingAction type="delete">striking</amendingAction> paragraph (1) and <amendingAction type="insert">inserting</amendingAction> the following:
<quotedContent id="id8155BB38051D442AA7578F20B21BB169" styleType="OLC">
<paragraph id="idCF32F184D949414BB269631F254D5A3A" class="indent1"><num value="1">“(1)</num><subparagraph id="id0F5B806313DA48C18F04F11097A55BE1" class="inline"><num value="A">(A) </num><chapeau>The number of low-income housing dwelling units developed under the United States Housing Act of 1937 (<ref href="/us/usc/t42/s1437/etseq">42 U.S.C. 1437 et seq.</ref>), pursuant to a contract between an Indian housing authority for the tribe and the Secretary, that are owned or operated by a recipient on the October 1 of the calendar year immediately preceding the year for which funds are provided, subject to the condition that such a unit shall not be considered to be a low-income housing dwelling unit for purposes of this section if—</chapeau>
<clause id="idC6967A92D173415787DF04E1D986EAC4" class="indent2"><num value="i">“(i) </num><content>the recipient ceases to possess the legal right to own, operate, or maintain the unit; or</content></clause>
<clause id="id12A87698F56A496EAA23CF70E810BAB8" class="indent2"><num value="ii">“(ii) </num><content>the unit is lost to the recipient by conveyance, demolition, or other means.</content></clause></subparagraph>
<subparagraph id="id6EF40479A2284E8C9ABDCC8331C89DCF" class="indent1"><num value="B">“(B) </num><content>If the unit is a homeownership unit not conveyed within 25 years from the date of full availability, the recipient shall not be considered to have lost the legal right to own, operate, or maintain the unit if the unit has not been conveyed to the homebuyer for reasons beyond the control of the recipient.</content></subparagraph>
<subparagraph id="id4FBD0C3F9B5346279BF797B77CDF401F" class="indent1"><num value="C">“(C) </num><content>If the unit is demolished and the recipient rebuilds the unit within 1 year of demolition of the unit, the unit may continue to be considered a low-income housing dwelling unit for the purpose of this paragraph.</content></subparagraph>
<subparagraph role="definitions" id="id5074B01CC2A04E5E8E1EEF9F026E8FE1" class="indent1"><num value="D">“(D) </num><chapeau>In this paragraph, the term <term>reasons beyond the control of the recipient</term> means, after making reasonable efforts, there remain—</chapeau>
<clause id="id7AA75075CFF34208B1A0FE96BCA29805" class="indent2"><num value="i">“(i) </num><content>delays in obtaining or the absence of title status reports;</content></clause>
<clause id="IDd4dff2c33edf481f84ac2f1d58574170" class="indent2"><num value="ii">“(ii) </num><content>incorrect or inadequate legal descriptions or other legal documentation necessary for conveyance;</content></clause>
<clause id="ID064125a790e5409496aaaf49a1161029" class="indent2"><num value="iii">“(iii) </num><content>clouds on title due to probate or intestacy or other court proceedings; or</content></clause>
<clause id="idB95DBB9533FC4DAC9F22ABAEC1F835E1" class="indent2"><num value="iv">“(iv) </num><content>any other legal impediment.”</content></clause></subparagraph></paragraph></quotedContent><inline role="after-quoted-block">.</inline></content></paragraph></section></title>
<title identifier="/us/bill/110/s/2062/tIV" id="idED491EFE907343B1A0DD316B76E9BA37"><num value="IV">TITLE IV—</num><heading class="inline">COMPLIANCE, AUDITS, AND REPORTS</heading>
<section role="instruction" identifier="/us/bill/110/s/2062/tIV/s401" id="id55BD02F3A34147A590121E95F151585D"><num value="401">SEC. 401. </num><heading>REMEDIES FOR NONCOMPLIANCE.</heading>
<chapeau class="indent0">Section 401(a) of the Native American Housing Assistance and Self-Determination Act of 1996 (<ref href="/us/usc/t25/s4161/a">25 U.S.C. 4161(a)</ref>) <amendingAction type="amend">is amended</amendingAction></chapeau>
<paragraph identifier="/us/bill/110/s/2062/tIV/s401/1" id="idD95138D780BF4019951BEA31AB4F69D7" class="indent1"><num value="1">(1) </num><content>by <amendingAction type="redesignate">redesignating</amendingAction> paragraphs (2) and (3) as paragraphs (3) and (4), respectively; and</content></paragraph>
<paragraph identifier="/us/bill/110/s/2062/tIV/s401/2" id="id33465BC23678467CB1EBF04B10646B3F" class="indent1"><num value="2">(2) </num><content>by <amendingAction type="insert">inserting</amendingAction> after paragraph (1) the following:
<quotedContent id="id6E8C974E700A445D8961D3F5E704D7F6" styleType="OLC">
<paragraph id="id51C84314D72041168DE0EFDB2902FB8B" class="indent1"><num value="2">“(2) </num><heading><inline class="smallCaps">Substantial noncompliance</inline>.—</heading><content>The failure of a recipient to comply with the requirements of section 302(b)(1) regarding the reporting of low-income dwelling units shall not, in itself, be considered to be substantial noncompliance for purposes of this title.”</content></paragraph></quotedContent><inline role="after-quoted-block">.</inline></content></paragraph></section>
<section role="instruction" identifier="/us/bill/110/s/2062/tIV/s402" id="id5C9DB435031E445CB774A65C7B4A7B26"><num value="402">SEC. 402. </num><heading>MONITORING OF COMPLIANCE.</heading><content>Section 403(b) of the Native American Housing Assistance and Self-Determination Act of 1996 (<ref href="/us/usc/t25/s4163/b">25 U.S.C. 4163(b)</ref>) <amendingAction type="amend">is amended</amendingAction> in the second sentence by <amendingAction type="insert">inserting</amendingAction><quotedText>an appropriate level of</quotedText>” after “<quotedText>shall include</quotedText>”.</content></section>
<section role="instruction" identifier="/us/bill/110/s/2062/tIV/s403" id="id5612521023CD4AFABE4150D8C800F392"><num value="403">SEC. 403. </num><heading>PERFORMANCE REPORTS.</heading>
<chapeau class="indent0">Section 404(b) of the Native American Housing Assistance and Self-Determination Act of 1996 (<ref href="/us/usc/t25/s4164/b">25 U.S.C. 4164(b)</ref>) <amendingAction type="amend">is amended</amendingAction></chapeau>
<paragraph identifier="/us/bill/110/s/2062/tIV/s403/1" id="id0DA98C50FFA44CE9BE15B840157ADBCB" class="indent1"><num value="1">(1) </num><chapeau>in paragraph (2)—</chapeau>
<subparagraph identifier="/us/bill/110/s/2062/tIV/s403/1/A" id="id3D9E0C35756F4C2CB515781F100B58AE" class="indent2"><num value="A">(A) </num><content>by <amendingAction type="delete">striking</amendingAction><quotedText>goals</quotedText>” and <amendingAction type="insert">inserting</amendingAction><quotedText>planned activities</quotedText>”; and</content></subparagraph>
<subparagraph identifier="/us/bill/110/s/2062/tIV/s403/1/B" id="id2EC0BEFE711E4FDA9A5BF8E6995665AD" class="indent2"><num value="B">(B) </num><content>by <amendingAction type="add">adding</amendingAction><quotedText>and</quotedText>” after the semicolon at the end;</content></subparagraph></paragraph>
<paragraph identifier="/us/bill/110/s/2062/tIV/s403/2" id="idD963C413F3F442669C4FA1DD440F2DC2" class="indent1"><num value="2">(2) </num><content>in paragraph (3), by <amendingAction type="delete">striking</amendingAction><quotedText>; and</quotedText>” at the end and <amendingAction type="insert">inserting</amendingAction> a period; and</content></paragraph>
<paragraph identifier="/us/bill/110/s/2062/tIV/s403/3" id="idEEE2740AE20448299E5B6B216B734B84" class="indent1"><num value="3">(3) </num><content>by <amendingAction type="delete">striking</amendingAction> paragraph (4).</content></paragraph></section></title>
<title identifier="/us/bill/110/s/2062/tV" id="idD82EBB14AA914F9592DB16828EA9165D"><num value="V">TITLE V—</num><heading class="inline">TERMINATION OF ASSISTANCE FOR INDIAN TRIBES UNDER INCORPORATED PROGRAMS</heading>
<section identifier="/us/bill/110/s/2062/tV/s501" id="idD4C30949C76E43938F16DD5FE9532040"><num value="501">SEC. 501. </num><heading>EFFECT ON HOME INVESTMENT PARTNERSHIPS ACT.</heading>
<subsection role="instruction" identifier="/us/bill/110/s/2062/tV/s501/a" id="idA6F1EE1ADE0A412D9058C58F59A34587" class="indent0"><num value="a">(a) </num><heading><inline class="smallCaps">In General</inline>.—</heading><content>Title V of the Native American Housing Assistance and Self-Determination Act of 1996 (<ref href="/us/usc/t25/s4181/etseq">25 U.S.C. 4181 et seq.</ref>) <amendingAction type="amend">is amended</amendingAction> by <amendingAction type="add">adding</amendingAction> at the end the following:
<quotedContent id="idBB7CB3E3CA3B43AAA5C11827CFBCC1A3" styleType="OLC">
<section id="id02614F98E00948C0BA43B2E3B8B27B58"><num value="509">“SEC. 509. </num><heading>EFFECT ON HOME INVESTMENT PARTNERSHIPS ACT.</heading><content>“Nothing in this Act or an amendment made by this Act prohibits or prevents any participating jurisdiction (within the meaning of the HOME Investment Partnerships Act (<ref href="/us/usc/t42/s12721/etseq">42 U.S.C. 12721 et seq.</ref>)) from providing any amounts made available to the participating jurisdiction under that Act (<ref href="/us/usc/t42/s12721/etseq">42 U.S.C. 12721 et seq.</ref>) to an Indian tribe or a tribally designated housing entity for use in accordance with that Act (<ref href="/us/usc/t42/s12721/etseq">42 U.S.C. 12721 et seq.</ref>).”</content></section></quotedContent><inline role="after-quoted-block">.</inline></content></subsection>
<subsection role="instruction" identifier="/us/bill/110/s/2062/tV/s501/b" id="idA259C0413EA64D178E384951D52C4B56" class="indent0"><num value="b">(b) </num><heading><inline class="smallCaps">Conforming Amendment</inline>.—</heading><content>The table of contents in section 1(b) of the Native American Housing Assistance and Self-Determination Act of 1996 (<ref href="/us/usc/t25/s4101">25 U.S.C. 4101 note</ref>) <amendingAction type="amend">is amended</amendingAction> by <amendingAction type="insert">inserting</amendingAction> after the item relating to section 508 the following:
<quotedContent id="id552B32E0649545B3B36E86F783E676B7" styleType="OLC">
<toc>
<referenceItem role="section">
<designator>“Sec.509.</designator>
<label>Effect on HOME Investment Partnerships Act.”</label>
</referenceItem></toc> </quotedContent><inline role="after-quoted-block">.</inline></content></subsection></section></title>
<title identifier="/us/bill/110/s/2062/tVI" id="idF292C2B1E27A426284BB3985F047F282"><num value="VI">TITLE VI—</num><heading class="inline">GUARANTEED LOANS TO FINANCE TRIBAL COMMUNITY AND ECONOMIC DEVELOPMENT ACTIVITIES</heading>
<section identifier="/us/bill/110/s/2062/tVI/s601" id="id34F123F67DD34436B329DCFA0DE3048A"><num value="601">SEC. 601. </num><heading>DEMONSTRATION PROGRAM FOR GUARANTEED LOANS TO FINANCE TRIBAL COMMUNITY AND ECONOMIC DEVELOPMENT ACTIVITIES.</heading>
<subsection role="instruction" identifier="/us/bill/110/s/2062/tVI/s601/a" id="id7FD56043660041E5B0077E9FB4DEB6F0" class="indent0"><num value="a">(a) </num><heading><inline class="smallCaps">In General</inline>.—</heading><content>Title VI of the Native American Housing Assistance and Self-Determination Act of 1996 (<ref href="/us/usc/t25/s4191/etseq">25 U.S.C. 4191 et seq.</ref>) <amendingAction type="amend">is amended</amendingAction> by <amendingAction type="add">adding</amendingAction> at the end the following:
<quotedContent id="id380AB58EC63D4C149E352C47109A1EE6" styleType="OLC">
<section id="id3DC7BF0B09FB442F88DEEBB9C2EA6921"><num value="606">“SEC. 606. </num><heading>DEMONSTRATION PROGRAM FOR GUARANTEED LOANS TO FINANCE TRIBAL COMMUNITY AND ECONOMIC DEVELOPMENT ACTIVITIES.</heading>
<subsection id="HEB5D8F41A0A3447CA600F0226F5E2FF5" class="indent0"><num value="a">“(a) </num><heading><inline class="smallCaps">Authority</inline>.—</heading><content>To the extent and in such amounts as are provided in appropriation Acts, subject to the requirements of this section, and in accordance with such terms and conditions as the Secretary may prescribe, the Secretary may guarantee and make commitments to guarantee the notes and obligations issued by Indian tribes or tribally designated housing entities with tribal approval, for the purposes of financing activities carried out on Indian reservations and in other Indian areas that, under the first sentence of section 108(a) of the Housing and Community Development Act of 1974 (<ref href="/us/usc/t42/s5308">42 U.S.C. 5308</ref>), are eligible for financing with notes and other obligations guaranteed pursuant to that section.</content></subsection>
<subsection id="H0FF3A5C2E73947E0BC539C8BD4355E56" class="indent0"><num value="b">“(b) </num><heading><inline class="smallCaps">Low-income Benefit Requirement</inline>.—</heading><content>Not less than 70 percent of the aggregate amount received by an Indian tribe or tribally designated housing entity as a result of a guarantee under this section shall be used for the support of activities that benefit low-income families on Indian reservations and other Indian areas.</content></subsection>
<subsection id="H5BE71B646622401ABB10B9007B966FF0" class="indent0"><num value="c">“(c) </num><heading><inline class="smallCaps">Financial Soundness</inline>.—</heading>
<paragraph id="idE7FB2E71108B48B3B2A2102215216D1B" class="indent1"><num value="1">“(1) </num><heading><inline class="smallCaps">In general</inline>.—</heading><content>The Secretary shall establish underwriting criteria for guarantees under this section, including fees for the guarantees, as the Secretary determines to be necessary to ensure that the program under this section is financially sound.</content></paragraph>
<paragraph id="id1F0FB03FE2FC418B8F0227D014F000D6" class="indent1"><num value="2">“(2) </num><heading><inline class="smallCaps">Amounts of fees</inline>.—</heading><content>Fees for guarantees established under paragraph (1) shall be established in amounts that are sufficient, but do not exceed the minimum amounts necessary, to maintain a negative credit subsidy for the program under this section, as determined based on the risk to the Federal Government under the underwriting requirements established under paragraph (1).</content></paragraph></subsection>
<subsection id="HD4CEFB1759FE4A24B520E500D95937DE" class="indent0"><num value="d">“(d) </num><heading><inline class="smallCaps">Terms of Obligations</inline>.—</heading>
<paragraph id="idE7BB9F0E940644529EB64AF158AEF41E" class="indent1"><num value="1">“(1) </num><heading><inline class="smallCaps">In general</inline>.—</heading><content>Each note or other obligation guaranteed pursuant to this section shall be in such form and denomination, have such maturity, and be subject to such conditions as the Secretary may prescribe, by regulation.</content></paragraph>
<paragraph id="id401DCA0ADEFA4E489138999D0D26E50E" class="indent1"><num value="2">“(2) </num><heading><inline class="smallCaps">Limitation</inline>.—</heading><chapeau>The Secretary may not deny a guarantee under this section on the basis of the proposed repayment period for the note or other obligation, unless—</chapeau>
<subparagraph id="idA0C3B0F91E2744718C0577CE9D3A7CF1" class="indent2"><num value="A">“(A) </num><content>the period is more than 20 years; or</content></subparagraph>
<subparagraph id="id60BFA76287D24E9994A12607BDECAB28" class="indent2"><num value="B">“(B) </num><content>the Secretary determines that the period would cause the guarantee to constitute an unacceptable financial risk.</content></subparagraph></paragraph></subsection>
<subsection id="HB5E90F3043DE4F08B2D3587711722E7" class="indent0"><num value="e">“(e) </num><heading><inline class="smallCaps">Limitation on Percentage</inline>.—</heading><content>A guarantee made under this section shall guarantee repayment of 95 percent of the unpaid principal and interest due on the note or other obligation guaranteed.</content></subsection>
<subsection id="H3CD0930687DE47D5B48E048896DF2165" class="indent0"><num value="f">“(f) </num><heading><inline class="smallCaps">Security and Repayment</inline>.—</heading>
<paragraph id="H9517FF49DE5A47DCB91E00922311D6E5" class="indent1"><num value="1">“(1) </num><heading><inline class="smallCaps">Requirements on issuer</inline>.—</heading><chapeau>To ensure the repayment of notes and other obligations and charges incurred under this section and as a condition for receiving the guarantees, the Secretary shall require the Indian tribe or housing entity issuing the notes or obligations—</chapeau>
<subparagraph id="HC3D6DC7B20C844DC84253E3331B61325" class="indent2"><num value="A">“(A) </num><content>to enter into a contract, in a form acceptable to the Secretary, for repayment of notes or other obligations guaranteed under this section;</content></subparagraph>
<subparagraph id="H01AD0D4E9B3C4EA69DE19BB5A9A96022" class="indent2"><num value="B">“(B) </num><content>to demonstrate that the extent of each issuance and guarantee under this section is within the financial capacity of the Indian tribe; and</content></subparagraph>
<subparagraph id="H643A4A5CCBC64EEAADF693FBB11069AE" class="indent2"><num value="C">“(C) </num><content>to furnish, at the discretion of the Secretary, such security as the Secretary determines to be appropriate in making the guarantees, including increments in local tax receipts generated by the activities assisted by a guarantee under this section or disposition proceeds from the sale of land or rehabilitated property, except that the security may not include any grant amounts received or for which the issuer may be eligible under title I.</content></subparagraph></paragraph>
<paragraph id="HA453D8E2000F4379B1D1CE0031D047B2" class="indent1"><num value="2">“(2) </num><heading><inline class="smallCaps">Full faith and credit</inline>.—</heading>
<subparagraph id="id904441F111AD4CD395A38F58FA45E727" class="indent2"><num value="A">“(A) </num><heading><inline class="smallCaps">In general</inline>.—</heading><content>The full faith and credit of the United States is pledged to the payment of all guarantees made under this section.</content></subparagraph>
<subparagraph id="id0768A9B65C8C4112B6F0CCBEC9FD6439" class="indent2"><num value="B">“(B) </num><heading><inline class="smallCaps">Treatment of guarantees</inline>.—</heading>
<clause id="idDF57CA819F954187BC31777A7CBE93C5" class="indent3"><num value="i">“(i) </num><heading><inline class="smallCaps">In general</inline>.—</heading><content>Any guarantee made by the Secretary under this section shall be conclusive evidence of the eligibility of the obligations for the guarantee with respect to principal and interest.</content></clause>
<clause id="id5C566D18469D4504B6498C97EF1F8B17" class="indent3"><num value="ii">“(ii) </num><heading><inline class="smallCaps">Incontestable nature</inline>.—</heading><content>The validity of any such a guarantee shall be incontestable in the hands of a holder of the guaranteed obligations.</content></clause></subparagraph></paragraph></subsection>
<subsection id="H5D539D6A730C4993B97B4E87D75282DA" class="indent0"><num value="g">“(g) </num><heading><inline class="smallCaps">Training and Information</inline>.—</heading><content>The Secretary, in cooperation with Indian tribes and tribally designated housing entities, shall carry out training and information activities with respect to the guarantee program under this section.</content></subsection>
<subsection id="H76483BB0556A4A868745942CE2EB26D7" class="indent0"><num value="h">“(h) </num><heading><inline class="smallCaps">Limitations on Amount of Guarantees</inline>.—</heading>
<paragraph id="HBCB5622F4B4940DBA82513034CDD00C3" class="indent1"><num value="1">“(1) </num><heading><inline class="smallCaps">Aggregate fiscal year limitation</inline>.—</heading><content>Notwithstanding any other provision of law, subject only to the absence of qualified applicants or proposed activities and to the authority provided in this section, and to the extent approved or provided for in appropriations Acts, the Secretary may enter into commitments to guarantee notes and obligations under this section with an aggregate principal amount not to exceed $200,000,000 for each of fiscal years 2008 through 2012.</content></paragraph>
<paragraph id="HE096AB644E6640759B540971AEEBDCC2" class="indent1"><num value="2">“(2) </num><heading><inline class="smallCaps">Authorization of appropriations for credit subsidy</inline>.—</heading><content>There are authorized to be appropriated to cover the costs (as defined in section 502 of the Congressional Budget Act of 1974 (<ref href="/us/usc/t2/s661a">2 U.S.C. 661a</ref>)) of guarantees under this section such sums as are necessary for each of fiscal years 2008 through 2012.</content></paragraph>
<paragraph id="H253BB4FAFE5A472FA0FE28E3BE75E445" class="indent1"><num value="3">“(3) </num><heading><inline class="smallCaps">Aggregate outstanding limitation</inline>.—</heading><content>The total amount of outstanding obligations guaranteed on a cumulative basis by the Secretary pursuant to this section shall not at any time exceed $1,000,000,000 or such higher amount as may be authorized to be appropriated for this section for any fiscal year.</content></paragraph>
<paragraph id="H1EAD651CA23C43A9A0F5206693AFB11B" class="indent1"><num value="4">“(4) </num><heading><inline class="smallCaps">Fiscal year limitations on indian tribes</inline>.—</heading>
<subparagraph id="idC51B392337D7480A99FE9E7FBACC6D64" class="indent2"><num value="A">“(A) </num><heading><inline class="smallCaps">In general</inline>.—</heading><content>The Secretary shall monitor the use of guarantees under this section by Indian tribes.</content></subparagraph>
<subparagraph id="id4A3F6C3B4B3B4586BD2A22C06C0DB785" class="indent2"><num value="B">“(B) </num><heading><inline class="smallCaps">Modifications</inline>.—</heading><chapeau>If the Secretary determines that 50 percent of the aggregate guarantee authority under paragraph (3) has been committed, the Secretary may—</chapeau>
<clause id="H0E515C9EAE0F4F30A61CA77F1C4D147B" class="indent3"><num value="i">“(i) </num><content>impose limitations on the amount of guarantees pursuant to this section that any single Indian tribe may receive in any fiscal year of $25,000,000; or</content></clause>
<clause id="H4A16458822D949B7B76C75DFE8516E87" class="indent3"><num value="ii">“(ii) </num><content>request the enactment of legislation increasing the aggregate outstanding limitation on guarantees under this section.</content></clause></subparagraph></paragraph></subsection>
<subsection id="H139ACC7A11044CA38EFFD17518BAE100" class="indent0"><num value="i">“(i) </num><heading><inline class="smallCaps">Report</inline>.—</heading><chapeau>Not later than 4 years after the date of enactment of this section, the Secretary shall submit to Congress a report describing the use of the authority under this section by Indian tribes and tribally designated housing entities, including—</chapeau>
<paragraph id="id6E3C496DB0E34A28A527031E084BC771" class="indent1"><num value="1">“(1) </num><content>an identification of the extent of the use and the types of projects and activities financed using that authority; and</content></paragraph>
<paragraph id="idB15AA55A98454A869440F828BC60EEC0" class="indent1"><num value="2">“(2) </num><content>an analysis of the effectiveness of the use in carrying out the purposes of this section.</content></paragraph></subsection>
<subsection id="HF3432FE2DD8444B085A7F3305E2CA060" class="indent0"><num value="j">“(j) </num><heading><inline class="smallCaps">Termination</inline>.—</heading><content>The authority of the Secretary under this section to make new guarantees for notes and obligations shall terminate on October 1, 2012.”</content></subsection></section></quotedContent><inline role="after-quoted-block">.</inline></content></subsection>
<subsection role="instruction" identifier="/us/bill/110/s/2062/tVI/s601/b" id="id492BEBC5C3154D35A94DD4E59FB47775" class="indent0"><num value="b">(b) </num><heading><inline class="smallCaps">Conforming Amendment</inline>.—</heading><content>The table of contents in section 1(b) of the Native American Housing Assistance and Self-Determination Act of 1996 (<ref href="/us/usc/t25/s4101">25 U.S.C. 4101 note</ref>) <amendingAction type="amend">is amended</amendingAction> by <amendingAction type="insert">inserting</amendingAction> after the item relating to section 605 the following:
<quotedContent id="idA1848E334BF34EE6B17711B027A25994" styleType="OLC">
<toc>
<referenceItem role="section">
<designator>“Sec.606.</designator>
<label>Demonstration program for guaranteed loans to finance tribal community and economic development activities.”</label>
</referenceItem></toc> </quotedContent><inline role="after-quoted-block">.</inline></content></subsection></section></title>
<title identifier="/us/bill/110/s/2062/tVII" id="id4FD6B8D8CD114CFD90EDBE169ADE1515"><num value="VII">TITLE VII—</num><heading class="inline">OTHER HOUSING ASSISTANCE FOR NATIVE AMERICANS</heading>
<section identifier="/us/bill/110/s/2062/tVII/s701" id="idAD481B15EBA642CDB4C90DA52CE37A11"><num value="701">SEC. 701. </num><heading>TRAINING AND TECHNICAL ASSISTANCE.</heading><content role="instruction"><addedText>Section 703 of the Native American Housing Assistance and Self-Determination Act of 1996 (<ref href="/us/usc/t25/s4212">25 U.S.C. 4212</ref>) <amendingAction type="amend">is amended</amendingAction> to read as follows:</addedText>
<quotedContent id="id96FE8651CB6741F9AC96E0EE543AA666" styleType="OLC">
<section changed="added" origin="#SLIA00" id="idC5A93AA0A5F2497292D6E8C7E8D7CC0B"><num value="703">“SEC. 703. </num><heading>TRAINING AND TECHNICAL ASSISTANCE.</heading>
<subsection role="definitions" id="id5466AA1C4CE648E197D2D75F1BA952EC" changed="added" class="indent0"><num value="a"><addedText origin="#SLIA00">(a)</addedText> </num><heading><inline class="smallCaps">Definition of Indian Organization</inline>.—</heading><chapeau>In this section, the term <term>Indian organization</term> means—</chapeau>
<paragraph id="idAC9069B8B03A48DB87E31BB1F4C3218C" class="indent1"><num value="1"><addedText origin="#SLIA00">(1)</addedText> </num><content>an Indian organization representing the interests of Indian tribes, Indian housing authorities, and tribally designated housing entities throughout the United States;</content></paragraph>
<paragraph id="idC791B5F5E452466E99634DBA0AA765D9" class="indent1"><num value="2"><addedText origin="#SLIA00">(2)</addedText> </num><chapeau>an organization registered as a nonprofit entity that is—</chapeau>
<subparagraph id="idE7A1EC1AEC4641218FF4A1FF51AD3AB0" class="indent2"><num value="A"><addedText origin="#SLIA00">(A)</addedText> </num><content>described in section 501(c)(3) of the Internal Revenue Code of 1986; and</content></subparagraph>
<subparagraph id="id068CC22C89304BF480AD76C4CA0656E0" class="indent2"><num value="B"><addedText origin="#SLIA00">(B)</addedText> </num><content>exempt from taxation under section 501(a) of that Code;</content></subparagraph></paragraph>
<paragraph id="id5E7620042D8243C8AF779DD0BABC6FCB" class="indent1"><num value="3"><addedText origin="#SLIA00">(3)</addedText> </num><content>an organization with at least 30 years of experience in representing the housing interests of Indian tribes and tribal housing entities throughout the United States; and</content></paragraph>
<paragraph id="idCE4BFE5CD59E44EFB5C86673348011B8" class="indent1"><num value="4"><addedText origin="#SLIA00">(4)</addedText> </num><content>an organization that is governed by a Board of Directors composed entirely of individuals representing tribal housing entities.</content></paragraph></subsection>
<subsection changed="added" id="idEEACF006A08E4F3CADD9E3A6FD90B357" class="indent0"><num value="b"><addedText origin="#SLIA00">(b)</addedText> </num><heading><inline class="smallCaps">Authorization of Appropriations</inline>.—</heading><content>There are authorized to be appropriated to the Secretary, for transfer to an Indian organization selected by the Secretary, in consultation with Indian tribes, such sums as are necessary to provide training and technical assistance to Indian housing authorities and tribally designated housing entities for each of fiscal years 2008 through 2012.”</content></subsection></section></quotedContent><inline role="after-quoted-block">.</inline>
<subsection role="definitions" identifier="/us/bill/110/s/2062/tVII/s701/a" id="idFC427A8BD9DF4D158F30A878C23CD0EC" changed="deleted" class="indent0"><num value="a">(a) </num><heading><inline class="smallCaps">Definition of Indian Organization</inline>.—</heading><chapeau>In this section, the term “<term>Indian organization</term>” means—</chapeau>
<paragraph identifier="/us/bill/110/s/2062/tVII/s701/a/1" id="id8562984CA95A43D88ABDDC56C458B64E" class="indent1"><num value="1">(1) </num><content>an Indian organization representing the interests of Indian tribes, Indian housing authorities, and tribally designated housing entities throughout the United States;</content></paragraph>
<paragraph identifier="/us/bill/110/s/2062/tVII/s701/a/2" id="id8D5044D7384C429E99FFB4E6D593652A" class="indent1"><num value="2">(2) </num><chapeau>an organization registered as a nonprofit entity that is—</chapeau>
<subparagraph identifier="/us/bill/110/s/2062/tVII/s701/a/2/A" id="id6F2CAEAFFF934E3D89952DE7CA467522" class="indent2"><num value="A">(A) </num><content>described in section 501(c)(3) of the Internal Revenue Code of 1986; and</content></subparagraph>
<subparagraph identifier="/us/bill/110/s/2062/tVII/s701/a/2/B" id="idBB0E21FCE4E84530ABD753EC287E3F98" class="indent2"><num value="B">(B) </num><content>exempt from taxation under section 501(a) of that Code;</content></subparagraph></paragraph>
<paragraph identifier="/us/bill/110/s/2062/tVII/s701/a/3" id="IDe2a9b95020e7453d8d928fbe4ae28bad" class="indent1"><num value="3">(3) </num><content>an organization with at least 30 years of experience in representing the housing interests of Indian tribes and tribal housing entities throughout the United States; and</content></paragraph>
<paragraph identifier="/us/bill/110/s/2062/tVII/s701/a/4" id="id8873E856CF0644898C1519BE9CF59D0B" class="indent1"><num value="4">(4) </num><content>an organization that is governed by a Board of Directors composed entirely of individuals representing tribal housing entities.</content></paragraph></subsection>
<subsection identifier="/us/bill/110/s/2062/tVII/s701/b" id="id6813CCFD4BCE4114842D2531708B0FC8" changed="deleted" class="indent0"><num value="b">(b) </num><heading><inline class="smallCaps">Authorization of Appropriations</inline>.—</heading><content>There are authorized to be appropriated to the Secretary of Housing and Urban Development, for transfer to an Indian organization selected by the Secretary of Housing and Urban Development, in consultation with Indian tribes, such sums as are necessary to provide training and technical assistance to Indian housing authorities and tribally-designated housing entities for each of fiscal years 2008 through 2012.</content></subsection></content></section></title>
<title identifier="/us/bill/110/s/2062/tVIII" id="idA0F26824E30247D59F813263788EE20A"><num value="VIII">TITLE VIII—</num><heading class="inline">FUNDING</heading>
<section identifier="/us/bill/110/s/2062/tVIII/s801" id="id53B90EB8A24F48DE9CEF801094B6F6F2"><num value="801">SEC. 801. </num><heading>AUTHORIZATION OF APPROPRIATIONS.</heading>
<subsection role="instruction" identifier="/us/bill/110/s/2062/tVIII/s801/a" id="id60377A037C214FD7A80A5E8FC14A5C3A" class="indent0"><num value="a">(a) </num><heading><inline class="smallCaps">Block Grants and Grant Requirements</inline>.—</heading><content>Section 108 of the Native American Housing Assistance and Self-Determination Act of 1996 (<ref href="/us/usc/t25/s4117">25 U.S.C. 4117</ref>) <amendingAction type="amend">is amended</amendingAction> in the first sentence by <amendingAction type="delete">striking</amendingAction><quotedText>1998 through 2007</quotedText>” and <amendingAction type="insert">inserting</amendingAction><quotedText>2008 through 2012</quotedText>”.</content></subsection>
<subsection role="instruction" identifier="/us/bill/110/s/2062/tVIII/s801/b" id="idC84519228A094A758F796759592AC422" class="indent0"><num value="b">(b) </num><heading><inline class="smallCaps">Federal Guarantees for Financing for Tribal Housing Activities</inline>.—</heading><content>Section 605 of the Native American Housing Assistance and Self-Determination Act of 1996 (<ref href="/us/usc/t25/s4195">25 U.S.C. 4195</ref>) <amendingAction type="amend">is amended</amendingAction> in subsections (a) and (b) by <amendingAction type="delete">striking</amendingAction><quotedText>1997 through 2007</quotedText>” each place it appears and <amendingAction type="insert">inserting</amendingAction><quotedText>2008 through 2012</quotedText>”.</content></subsection>
<subsection role="instruction" identifier="/us/bill/110/s/2062/tVIII/s801/c" id="idBA8167F97DB94731B5DD5FFC0A26EF8F" class="indent0"><num value="c">(c) </num><heading><inline class="smallCaps">Training and Technical Assistance</inline>.—</heading><content>Section 703 of the Native American Housing Assistance and Self-Determination Act of 1996 (<ref href="/us/usc/t25/s4212">25 U.S.C. 4212</ref>) <amendingAction type="amend">is amended</amendingAction> by <amendingAction type="delete">striking</amendingAction><quotedText>1997 through 2007</quotedText>” and <amendingAction type="insert">inserting</amendingAction><quotedText>2008 through 2012</quotedText>”.</content></subsection></section>
<section role="instruction" identifier="/us/bill/110/s/2062/tVIII/s802" id="idE9C4477B5A404181BBC1E229CFB22D30"><num value="802">SEC. 802. </num><heading>FUNDING CONFORMING AMENDMENTS.</heading>
<chapeau class="indent0"><ref href="/us/usc/t31/ch97">Chapter 97 of title 31, United States Code</ref>, <amendingAction type="amend">is amended</amendingAction></chapeau>
<paragraph identifier="/us/bill/110/s/2062/tVIII/s802/1" id="id8CB6142B49C34B0D9C333619E33C22A8" class="indent1"><num value="1">(1) </num><content>by <amendingAction type="redesignate">redesignating</amendingAction> the first section 9703 (relating to managerial accountability and flexibility) as section 9703A;</content></paragraph>
<paragraph identifier="/us/bill/110/s/2062/tVIII/s802/2" id="id62435773DBBB479CA23CF30DD63A25BE" class="indent1"><num value="2">(2) </num><content>by moving the second section 9703 (relating to the Department of the Treasury Forfeiture Fund) so as to appear after section 9702; and</content></paragraph>
<paragraph identifier="/us/bill/110/s/2062/tVIII/s802/3" id="idA01AACEA9940453B83D39910BA95C4AA" class="indent1"><num value="3">(3) </num><chapeau>in section 9703(a)(1) (relating to the Department of the Treasury Forfeiture Fund)—</chapeau>
<subparagraph identifier="/us/bill/110/s/2062/tVIII/s802/3/A" id="idD2E548BD8F3443C6B1F1A94F9A8206EA" class="indent2"><num value="A">(A) </num><chapeau>in subparagraph (I)—</chapeau>
<clause identifier="/us/bill/110/s/2062/tVIII/s802/3/A/i" id="id73DC7C6DEDD144F19901A3DCF69350E4" class="indent3"><num value="i">(i) </num><content>by <amendingAction type="delete">striking</amendingAction><quotedText>payment</quotedText>” and <amendingAction type="insert">inserting</amendingAction><quotedText>Payment</quotedText>”; and</content></clause>
<clause identifier="/us/bill/110/s/2062/tVIII/s802/3/A/ii" id="id7DA0B38F347B47BCBA8AF92AD2C5A1CB" class="indent3"><num value="ii">(ii) </num><content>by <amendingAction type="delete">striking</amendingAction> the semicolon at the end and <amendingAction type="insert">inserting</amendingAction> a period;</content></clause></subparagraph>
<subparagraph identifier="/us/bill/110/s/2062/tVIII/s802/3/B" id="id03B9DB009D9A4B1F99D18D8F2E99E60B" class="indent2"><num value="B">(B) </num><content>in subparagraph (J), by <amendingAction type="delete">striking</amendingAction><quotedText>payment</quotedText>” the first place it appears and <amendingAction type="insert">inserting</amendingAction><quotedText>Payment</quotedText>”; and</content></subparagraph>
<subparagraph identifier="/us/bill/110/s/2062/tVIII/s802/3/C" id="id20BFC7DC8AF84E7592CFF6CC002A7541" class="indent2"><num value="C">(C) </num><content>by <amendingAction type="add">adding</amendingAction> at the end the following:
<quotedContent id="idD86F9311275C41ADB4F722A4B4D6AE8D" styleType="OLC">
<subparagraph id="id8B98B2125B684D818B2642EE33434081" class="indent2"><num value="K">“(K)</num><clause id="id5504A3BC1F834ED8A46239885A047119" class="inline"><num value="i">(i) </num><content>Payment to the designated tribal law enforcement, environmental, housing, or health entity for experts and consultants needed to clean up any area formerly used as a methamphetamine laboratory.</content></clause>
<clause id="ID214868ef14434a09addff7fcc65338e6" class="indent2"><num value="ii">“(ii) </num><chapeau>For purposes of this subparagraph, for a methamphetamine laboratory that is located on private property, not more than 90 percent of the clean up costs may be paid under clause (i) only if the property owner—</chapeau>
<subclause id="IDeab49bf8888a4190aab516c8349ae7fa" class="indent3"><num value="I">“(I) </num><content>did not have knowledge of the existence or operation of the laboratory before the commencement of the law enforcement action to close the laboratory; or</content></subclause>
<subclause id="ID9e3451d22bc840cc83deacf1eac02848" class="indent3"><num value="II">“(II) </num><content>notified law enforcement not later than 24 hours after discovering the existence of the laboratory.”</content></subclause></clause></subparagraph></quotedContent><inline role="after-quoted-block">.</inline></content></subparagraph></paragraph></section></title></main>
<endMarker></endMarker></bill>

View File

@@ -0,0 +1,37 @@
<?xml version="1.0" encoding="UTF-8"?><?xml-stylesheet type="text/css" href="uslm.css"?><resolution xmlns="http://schemas.gpo.gov/xml/uslm" xmlns:dc="http://purl.org/dc/elements/1.1/" xmlns:html="http://www.w3.org/1999/xhtml" xmlns:uslm="http://schemas.gpo.gov/xml/uslm" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://schemas.gpo.gov/xml/uslm uslm-2.1.0.xsd" xml:lang="en" id="HFF1EB98ADF2E4C53BED941C6375A1D0E">
<!--Disclaimer: Legislative measures that include compacts or other non-standard data structures will require additional modeling and may contain inconsistencies in the converted USLM XML.-->
<meta>
<dc:title>113 HRES 378 CDH: Expressing the sense of the House of Representatives regarding certain provisions of the Senate amendment to H.R. 2642 relating to the Secretary of Agricultures administration of tariff-rate quotas for raw and refined sugar.</dc:title>
<dc:type>House Simple Resolution</dc:type>
<docNumber>378</docNumber>
<citableAs>113 HRES 378 CDH</citableAs>
<citableAs>113hres378cdh</citableAs>
<citableAs>113 H. Res. 378 CDH</citableAs>
<docStage>Committee Discharged House</docStage>
<currentChamber>HOUSE</currentChamber>
<dc:creator>United States House of Representatives</dc:creator>
<processedBy>GPO XPub Bill to USLM Generator, version 0.5 + manual changes</processedBy>
<processedDate>2024-09-09</processedDate>
<dc:publisher>United States Government Publishing Office</dc:publisher>
<dc:format>text/xml</dc:format>
<dc:language>EN</dc:language>
<dc:rights>Pursuant to Title 17 Section 105 of the United States Code, this file is not subject to copyright protection and is in the public domain.</dc:rights>
<congress>113</congress>
<session>1</session>
<publicPrivate>public</publicPrivate></meta>
<preface>
<slugLine>•HRES 378 CDH</slugLine>
<distributionCode display="yes">IV</distributionCode>
<congress value="113">113th CONGRESS</congress>
<session value="1">1st Session</session>
<dc:type>H. RES. </dc:type>
<docNumber>378</docNumber>
<dc:title>Expressing the sense of the House of Representatives regarding certain provisions of the Senate amendment to H.R. 2642 relating to the Secretary of Agricultures administration of tariff-rate quotas for raw and refined sugar.</dc:title>
<currentChamber value="HOUSE">IN THE HOUSE OF REPRESENTATIVES</currentChamber>
<action><date date="2013-10-11"><inline class="smallCaps">October </inline>11, 2013</date><actionDescription><sponsor bioGuideId="P000373">Mr. <inline class="smallCaps">Pitts</inline></sponsor> (for himself, <cosponsor bioGuideId="D000096">Mr. <inline class="smallCaps">Danny K. Davis</inline> of Illinois</cosponsor>, <cosponsor bioGuideId="G000289">Mr. <inline class="smallCaps">Goodlatte</inline></cosponsor>, and <cosponsor bioGuideId="B000574">Mr. <inline class="smallCaps">Blumenauer</inline></cosponsor>) submitted the following resolution; which was referred to the <committee committeeId="HAG00">Committee on Agriculture</committee>, and in addition to the Committee on <committee committeeId="HWM00">Ways and Means</committee>, for a period to be subsequently determined by the Speaker, in each case for consideration of such provisions as fall within the jurisdiction of the committee concerned</actionDescription></action>
<action><date><inline class="smallCaps">October </inline>11, 2013</date><actionDescription>The Committees on Agriculture and Ways and Means discharged and considered</actionDescription></action></preface>
<main id="H3F6EC19FE5304A0E89F81F6FA7809263" styleType="traditional">
<longTitle><docTitle>RESOLUTION</docTitle>
<officialTitle>Expressing the sense of the House of Representatives regarding certain provisions of the Senate amendment to H.R. 2642 relating to the Secretary of Agricultures administration of tariff-rate quotas for raw and refined sugar.</officialTitle></longTitle>
<resolvingClause class="inline"><i>Resolved, </i></resolvingClause><section id="HFD2A6BB5FC17414B936E3D761CFA5725" class="inline"><content class="inline">That it is the sense of the House of Representatives that the managers on the part of the House of the conference on the disagreeing votes of the two Houses on the House amendment to the Senate amendment to the bill H.R. 2642 (an Act to provide for the reform and continuation of agricultural and other programs of the Department of Agriculture and other programs of the Department of Agriculture through fiscal year 2018, and for other purposes) should advance provisions to repeal the Administration of Tariff Rate Quotas language as added by the Food, Conservation, and Energy Act of 2008, and thus restore the Secretary of Agricultures authority to manage supplies of sugar throughout the marketing year to meet domestic demand at reasonable prices.</content></section></main>
<endMarker></endMarker></resolution>

View File

@@ -0,0 +1,36 @@
<?xml version="1.0" encoding="UTF-8"?><?xml-stylesheet type="text/css" href="uslm.css"?>
<resolution xmlns="http://schemas.gpo.gov/xml/uslm" xmlns:dc="http://purl.org/dc/elements/1.1/" xmlns:html="http://www.w3.org/1999/xhtml" xmlns:slc="http://xml.senate.gov" xmlns:uslm="http://schemas.gpo.gov/xml/uslm" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://schemas.gpo.gov/xml/uslm uslm-2.1.0.xsd" xml:lang="en" id="H154712A4A85D48A8A6EF9078D3848A92">
<!--Disclaimer: Legislative measures that include compacts or other non-standard data structures will require additional modeling and may contain inconsistencies in the converted USLM XML.-->
<meta>
<dc:title>114 HRES 99 EH: </dc:title>
<dc:type>House Simple Resolution</dc:type>
<docNumber>99</docNumber>
<citableAs>114 HRES 99 EH</citableAs>
<citableAs>114hres99eh</citableAs>
<citableAs>114 H. Res. 99 EH</citableAs>
<docStage>Engrossed in House</docStage>
<currentChamber>HOUSE</currentChamber>
<dc:creator>United States House of Representatives</dc:creator>
<processedBy>GPO XPub Bill to USLM Generator, version 0.5 + manual changes</processedBy>
<processedDate>2024-09-09</processedDate>
<dc:publisher>United States Government Publishing Office</dc:publisher>
<dc:format>text/xml</dc:format>
<dc:language>EN</dc:language>
<dc:rights>Pursuant to Title 17 Section 105 of the United States Code, this file is not subject to copyright protection and is in the public domain.</dc:rights>
<congress>114</congress>
<session>1</session>
<publicPrivate>public</publicPrivate></meta>
<preface>
<slugLine>•HRES 99 EH</slugLine>
<distributionCode display="no">IV</distributionCode>
<congress value="114" display="no">114th CONGRESS</congress>
<session value="1" display="no">1st Session</session>
<dc:type>H. Res. </dc:type>
<docNumber>99</docNumber>
<currentChamber value="HOUSE">In the House of Representatives, U. S.,</currentChamber>
<action><date date="2015-02-10">February 10, 2015.</date></action></preface>
<main styleType="multiple-resolved-clause" id="H799C079A8D71495BA685095ED8501D6F">
<resolvingClause><i>Resolved, </i></resolvingClause> <section id="HE4CAF9520F654C99838F6B0FC30297BB" class="inline"><content class="inline">That the House has heard with profound sorrow of the death of the Honorable Alan Nunnelee, a Representative from the State of Mississippi.</content></section>
<resolvingClause class="inline"><i>Resolved, </i></resolvingClause><section id="H846F3DBF7AF7445DAE271C4A3308B846"><content class="inline">That the Clerk communicate these resolutions to the Senate and transmit a copy thereof to the family of the deceased.</content></section>
<resolvingClause class="inline"><i>Resolved, </i></resolvingClause><section id="HD0A37150A1794FD195E1D44F8EE4109A"><content class="inline">That when the House adjourns today, it adjourn as a further mark of respect to the memory of the deceased.</content></section> </main>
<signatures><signature><notation type="attestation">Attest: </notation><name display="no">KAREN L. HAAS,</name><role>Clerk.</role></signature></signatures></resolution>

View File

@@ -0,0 +1,58 @@
<?xml version="1.0" encoding="UTF-8"?><?xml-stylesheet type="text/css" href="uslm.css"?><bill xmlns="http://schemas.gpo.gov/xml/uslm" xmlns:dc="http://purl.org/dc/elements/1.1/" xmlns:html="http://www.w3.org/1999/xhtml" xmlns:uslm="http://schemas.gpo.gov/xml/uslm" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://schemas.gpo.gov/xml/uslm uslm-2.1.0.xsd" xml:lang="en">
<!--Disclaimer: Legislative measures that include compacts or other non-standard data structures will require additional modeling and may contain inconsistencies in the converted USLM XML.-->
<meta>
<dc:title>114 S 32 CDS: To provide the Department of Justice with additional tools to target extraterritorial drug
trafficking activity, and for other purposes.</dc:title>
<dc:type>Senate Bill</dc:type>
<docNumber>32</docNumber>
<citableAs>114 S 32 CDS</citableAs>
<citableAs>114s32cds</citableAs>
<citableAs>114 S. 32 CDS</citableAs>
<docStage>Committee Discharged Senate</docStage>
<currentChamber>SENATE</currentChamber>
<dc:creator>United States Senate</dc:creator>
<processedBy>GPO XPub Bill to USLM Generator, version 0.5 + manual changes</processedBy>
<processedDate>2024-09-09</processedDate>
<dc:publisher>United States Government Publishing Office</dc:publisher>
<dc:format>text/xml</dc:format>
<dc:language>EN</dc:language>
<dc:rights>Pursuant to Title 17 Section 105 of the United States Code, this file is not subject to copyright protection and is in the public domain.</dc:rights>
<congress>114</congress>
<session>1</session>
<publicPrivate>public</publicPrivate></meta>
<preface>
<slugLine>•S 32 CDS</slugLine>
<distributionCode display="yes">II</distributionCode>
<congress value="114">114th CONGRESS</congress>
<session value="1">1st Session</session>
<dc:type>S. </dc:type>
<docNumber>32</docNumber>
<dc:title>To provide the Department of Justice with additional tools to target extraterritorial drug trafficking activity, and for other purposes.</dc:title>
<currentChamber value="SENATE">IN THE SENATE OF THE UNITED STATES</currentChamber>
<action><date date="2015-01-06"><inline class="smallCaps">January </inline>6, 2015</date><actionDescription><sponsor senateId="S221">Mrs. <inline class="smallCaps">Feinstein</inline></sponsor> (for herself, <cosponsor senateId="S326">Mr. <inline class="smallCaps">Udall</inline></cosponsor>, <cosponsor senateId="S341">Mr. <inline class="smallCaps">Blumenthal</inline></cosponsor>, <cosponsor senateId="S311">Ms. <inline class="smallCaps">Klobuchar</inline></cosponsor>, <cosponsor senateId="S153">Mr. <inline class="smallCaps">Grassley</inline></cosponsor>, and <cosponsor senateId="S360">Ms. <inline class="smallCaps">Heitkamp</inline></cosponsor>) introduced the following bill; which was read twice and referred to the <committee committeeId="SSFI00">Committee on Finance</committee> </actionDescription></action>
<action><date date="2015-01-13"><inline class="smallCaps">January </inline>13, 2015</date><actionDescription>Committee discharged; referred to the <committee committeeId="SSJU00">Committee on the Judiciary</committee></actionDescription></action></preface>
<main styleType="OLC">
<longTitle><docTitle>A BILL</docTitle>
<officialTitle>To provide the Department of Justice with additional tools to target extraterritorial drug trafficking activity, and for other purposes.</officialTitle></longTitle>
<enactingFormula><i>Be it enacted by the Senate and House of Representatives of the United States of America in Congress assembled, </i></enactingFormula>
<section identifier="/us/bill/114/s/32/s1" id="S1"><num value="1">SECTION 1. </num><heading>SHORT TITLE.</heading><content>This Act may be cited as the “<shortTitle role="act">Transnational Drug Trafficking Act of 2015</shortTitle>”.</content></section>
<section role="instruction" identifier="/us/bill/114/s/32/s2" id="id73D4FB988B1E439DBE5256DD5BC8AB48"><num value="2">SEC. 2. </num><heading>POSSESSION, MANUFACTURE OR DISTRIBUTION FOR PURPOSES OF UNLAWFUL IMPORTATIONS.</heading>
<chapeau class="indent0">Section 1009 of the Controlled Substances Import and Export Act (<ref href="usc/21/959"><ref href="/us/usc/t21/s959">21 U.S.C. 959</ref></ref>) <amendingAction type="amend">is amended</amendingAction></chapeau>
<paragraph identifier="/us/bill/114/s/32/s2/1" id="id618A18E4DD2C42E9835D03884B021C03" class="indent1"><num value="1">(1) </num><content>by <amendingAction type="redesignate">redesignating</amendingAction> subsections (b) and (c) as subsections (c) and (d), respectively; and</content></paragraph>
<paragraph identifier="/us/bill/114/s/32/s2/2" id="id7613901DC2D7442793CC3CA2EEE94B58" class="indent1"><num value="2">(2) </num><content>in subsection (a), by <amendingAction type="delete">striking</amendingAction><quotedText>It shall</quotedText>” and all that follows and <amendingAction type="insert">inserting</amendingAction> the following:
<quotedContent>“It shall be unlawful for any person to manufacture or distribute a controlled substance in schedule I or II or flunitrazepam or a listed chemical intending, knowing, or having reasonable cause to believe that such substance or chemical will be unlawfully imported into the United States or into waters within a distance of 12 miles of the coast of the United States.
<subsection id="id1B42D7D6CA5E4CC09352F605748C1530" class="indent0"><num value="b">“(b) </num><chapeau>It shall be unlawful for any person to manufacture or distribute a listed chemical—</chapeau>
<paragraph id="idC8AF3603B473419CBF9DE9FFB11F7A27" class="indent1"><num value="1">“(1) </num><content>intending or knowing that the listed chemical will be used to manufacture a controlled substance; and</content></paragraph>
<paragraph id="id9613E95FA2ED44EE91CDA13C2EE33F4C" class="indent1"><num value="2">“(2) </num><content>intending, knowing, or having reasonable cause to believe that the controlled substance will be unlawfully imported into the United States.”</content></paragraph></subsection></quotedContent><inline role="after-quoted-block">.</inline></content></paragraph></section>
<section role="instruction" identifier="/us/bill/114/s/32/s3" id="idECD60CF69BDA4BFF99A68CCC21CC1A49"><num value="3">SEC. 3. </num><heading>TRAFFICKING IN COUNTERFEIT GOODS OR SERVICES.</heading>
<chapeau class="indent0"><ref href="usc-chapter/18/113">Chapter 113</ref> of <ref href="/us/usc/t18">title 18, United States Code</ref>, <amendingAction type="amend">is amended</amendingAction></chapeau>
<paragraph identifier="/us/bill/114/s/32/s3/1" id="id923E0A98DF14400F96A282CE282C0DD1" class="indent1"><num value="1">(1) </num><content>in section 2318(b)(2), by <amendingAction type="delete">striking</amendingAction><quotedText>section 2320(e)</quotedText>” and <amendingAction type="insert">inserting</amendingAction><quotedText>section 2320(f)</quotedText>”; and</content></paragraph>
<paragraph identifier="/us/bill/114/s/32/s3/2" id="id760471F9C1E444B1881E9FD595E7CAF7" class="indent1"><num value="2">(2) </num><chapeau>in section 2320—</chapeau>
<subparagraph identifier="/us/bill/114/s/32/s3/2/A" id="idBCB9B1BADCF74537AF825D3100C45A11" class="indent2"><num value="A">(A) </num><content>in subsection (a), by <amendingAction type="delete">striking</amendingAction> paragraph (4) and <amendingAction type="insert">inserting</amendingAction> the following:
<quotedContent id="id325F6DF9DA264E2289B93198AACA163C" styleType="OLC">
<paragraph id="idFD703EC271984DB5A5F7E0172A0806EB" class="indent1"><num value="4">“(4) </num><content>traffics in a drug and knowingly uses a counterfeit mark on or in connection with such drug,”</content></paragraph></quotedContent><inline role="after-quoted-block">; </inline></content></subparagraph>
<subparagraph identifier="/us/bill/114/s/32/s3/2/B" id="id41BCBF9F5EBF42089FD0F0777B6FC0B1" class="indent2"><num value="B">(B) </num><content>in subsection (b)(3), in the matter preceding subparagraph (A), by <amendingAction type="delete">striking</amendingAction><quotedText>counterfeit drug</quotedText>” and <amendingAction type="insert">inserting</amendingAction><quotedText>drug that uses a counterfeit mark on or in connection with the drug</quotedText>”; and</content></subparagraph>
<subparagraph identifier="/us/bill/114/s/32/s3/2/C" id="id4D2E074B1D8F4255BBCA9396C4CCC114" class="indent2"><num value="C">(C) </num><content>in subsection (f), by <amendingAction type="delete">striking</amendingAction> paragraph (6) and <amendingAction type="insert">inserting</amendingAction> the following:
<quotedContent id="id4F86389CA93B4B5EAF4D9D12D8693665" styleType="OLC">
<paragraph role="definitions" id="id81ABF7A14DCF4B16AF4623CAF261C2B1" class="indent1"><num value="6">“(6) </num><content>the term <term>drug</term> means a drug, as defined in section 201 of the Federal Food, Drug, and Cosmetic Act (<ref href="usc/21/321"><ref href="/us/usc/t21/s321">21 U.S.C. 321</ref></ref>).”</content></paragraph></quotedContent><inline role="after-quoted-block">.</inline></content></subparagraph></paragraph></section></main>
<endMarker></endMarker></bill>

File diff suppressed because it is too large Load Diff

File diff suppressed because one or more lines are too long

View File

@@ -0,0 +1,51 @@
<?xml version="1.0" encoding="UTF-8"?><?xml-stylesheet type="text/css" href="uslm.css"?>
<engrossedAmendment xmlns="http://schemas.gpo.gov/xml/uslm" xmlns:dc="http://purl.org/dc/elements/1.1/"
xmlns:html="http://www.w3.org/1999/xhtml" xmlns:uslm="http://schemas.gpo.gov/xml/uslm"
xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" styleType="OLC"
xsi:schemaLocation="http://schemas.gpo.gov/xml/uslm uslm-2.1.0.xsd" xml:lang="en">
<!--Disclaimer: Legislative measures that include compacts or other non-standard data structures will require additional modeling and may contain inconsistencies in the converted USLM XML.-->
<amendMeta>
<dc:title>AMENDMENTS to 116 HR 1865</dc:title>
<dc:type>Engrossed Amendment Senate</dc:type>
<docStage>Engrossed Amendment Senate</docStage>
<docNumber>1865</docNumber>
<citableAs>116 HR 1865 EAS</citableAs>
<citableAs>116hr1865eas</citableAs>
<citableAs>116 H. R. 1865 EAS</citableAs>
<amendDegree>first</amendDegree>
<currentChamber>SENATE</currentChamber>
<dc:creator>United States Senate</dc:creator>
<processedBy>GPO XPub Bill to USLM Generator, version 0.5 + manual changes</processedBy>
<processedDate>2024-09-09</processedDate>
<dc:publisher>United States Government Publishing Office</dc:publisher>
<dc:format>text/xml</dc:format>
<dc:language>EN</dc:language>
<dc:rights>Pursuant to Title 17 Section 105 of the United States Code, this file is not subject to copyright protection and is in the public domain.</dc:rights>
<congress>116</congress>
<session>1</session>
<publicPrivate>public</publicPrivate></amendMeta>
<amendPreface>
<slugLine>HR 1865 EAS</slugLine>
<currentChamber value="SENATE">In the Senate of the United States,</currentChamber>
<action><date>November 12, 2019.</date></action>
</amendPreface>
<amendMain amendmentInstructionLineNumbering="off">
<resolvingClause class="inline">Resolved, </resolvingClause>
<section><content class="inline">That the bill from the House of Representatives (H.R. 1865) entitled “An Act to require the Secretary of the Treasury to mint a coin in commemoration of the opening of the National Law Enforcement Museum in the District of Columbia, and for other purposes.”, do pass with the following</content></section>
<docTitle>AMENDMENT:</docTitle>
<amendmentInstruction><content>At the end, add the following:
<amendmentContent class="indent0" changed="added" styleType="OLC">
<section><num value="9">SEC. 9. </num><heading>FINANCIAL ASSURANCES.</heading><chapeau>The Secretary shall take such actions as may be necessary to ensure that—</chapeau>
<paragraph class="indent1">
<num value="1">(1) </num><content>minting and issuing coins under this Act will not result in any net cost to the United States Government; and</content></paragraph>
<paragraph class="indent1">
<num value="2">(2) </num>
<content>no funds, including applicable surcharges, are disbursed to any recipient designated in section 7 until the total cost of designing and issuing all of the coins authorized by this Act (including labor, materials, dies, use of machinery, overhead expenses, marketing, and shipping) is recovered by the United States Treasury, consistent with sections 5112(m) and 5134(f) of title 31, United States Code.</content></paragraph></section></amendmentContent>
</content>
</amendmentInstruction>
</amendMain>
<signatures><signature><notation type="attestation">Attest: </notation><role>Secretary</role>.</signature></signatures>
<endorsement orientation="landscape"><congress value="116">116th CONGRESS</congress><session value="1">1st Session</session>
<dc:type>H.R. </dc:type><docNumber>1865</docNumber>
<docTitle>AMENDMENT</docTitle>
</endorsement></engrossedAmendment>

File diff suppressed because one or more lines are too long

View File

@@ -0,0 +1,60 @@
<?xml version="1.0" encoding="UTF-8"?><?xml-stylesheet type="text/css" href="uslm.css"?><resolution xmlns="http://schemas.gpo.gov/xml/uslm" xmlns:dc="http://purl.org/dc/elements/1.1/" xmlns:html="http://www.w3.org/1999/xhtml" xmlns:uslm="http://schemas.gpo.gov/xml/uslm" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://schemas.gpo.gov/xml/uslm uslm-2.1.0.xsd" xml:lang="en"><!--Disclaimer: Legislative measures that include compacts or other non-standard data structures will require additional modeling and may contain inconsistencies in the converted USLM XML.--> <meta>
<dc:title>116 HRES 755 RDS: Impeaching Donald John Trump, President of the United States, for high crimes and misdemeanors.</dc:title>
<dc:type>House Simple Resolution</dc:type>
<docNumber>755</docNumber>
<citableAs>116 HRES 755 RDS</citableAs>
<citableAs>116hres755rds</citableAs>
<citableAs>116 H. Res. 755 RDS</citableAs>
<docStage>Received in Senate</docStage>
<currentChamber>SENATE</currentChamber>
<dc:creator>United States Senate</dc:creator>
<processedBy>GPO XPub Bill to USLM Generator, version 0.5 + manual changes</processedBy>
<processedDate>2024-09-11</processedDate>
<dc:publisher>United States Government Publishing Office</dc:publisher>
<dc:format>text/xml</dc:format>
<dc:language>EN</dc:language>
<dc:rights>Pursuant to Title 17 Section 105 of the United States Code, this file is not subject to copyright protection and is in the public domain.</dc:rights>
<congress>116</congress>
<session>2</session>
<publicPrivate>public</publicPrivate></meta>
<preface>
<slugLine> HRES 755 RDS</slugLine>
<distributionCode display="yes">III</distributionCode>
<congress value="116">116th CONGRESS</congress>
<session value="2">2d Session</session>
<dc:type>H. RES. </dc:type>
<docNumber>755</docNumber>
<currentChamber value="SENATE">IN THE SENATE OF THE UNITED STATES</currentChamber>
<action><date date="2020-01-15"><inline class="smallCaps">January </inline>15, 2020</date><actionDescription>Received</actionDescription></action></preface>
<main id="H7E624F2AC22344C48AD1E456E8B323A8" styleType="OLC"><longTitle><docTitle>RESOLUTION</docTitle><officialTitle>Impeaching Donald John Trump, President of the United States, for high crimes and misdemeanors.</officialTitle></longTitle><resolvingClause class="inline"><i>Resolved, </i></resolvingClause><section id="idAA71AE251C7845D5A1947F5A8A64ED87" class="inline"><content class="inline">That Donald John Trump, President of the United States, is impeached for high crimes and misdemeanors and that the following articles of impeachment be exhibited to the United States Senate:</content></section>
<section id="id0B84FF578CBD44009293244C378B1C77"><chapeau>Articles of impeachment exhibited by the House of Representatives of the United States of America in the name of itself and of the people of the United States of America, against Donald John Trump, President of the United States of America, in maintenance and support of <br verticalSpace="nextPage"/>its impeachment against him for high crimes and misdemeanors.</chapeau>
<appropriations level="small" id="id36BAE46DAE664A739E7A6F7EF141C711"><heading><inline class="smallCaps">article i: abuse of power </inline></heading></appropriations></section>
<section id="id591D723841CB43A9838ADD9B249DE4BC"><content class="inline">The Constitution provides that the House of Representatives “shall have the sole Power of Impeachment” and that the President “shall be removed from Office on Impeachment for, and Conviction of, Treason, Bribery, or other high Crimes and Misdemeanors”. In his conduct of the office of President of the United States—and in violation of his constitutional oath faithfully to execute the office of President of the United States and, to the best of his ability, preserve, protect, and defend the Constitution of the United States, and in violation of his constitutional duty to take care that the laws be faithfully executed—Donald J. Trump has abused the powers of the Presidency, in that:</content></section>
<section id="idB20BDC9322924DCABF123C8D192EE8D6"><content class="inline">Using the powers of his high office, President Trump solicited the interference of a foreign government, Ukraine, in the 2020 United States Presidential election. He did so through a scheme or course of conduct that included soliciting the Government of Ukraine to publicly announce investigations that would benefit his reelection, harm the election prospects of a political opponent, and influence the 2020 United States Presidential election to his advantage. President Trump also sought to pressure the Government of Ukraine to take these steps by conditioning official United States Government acts of significant value to Ukraine on its public announcement of the investigations. President Trump engaged in this scheme or course of conduct for corrupt purposes in pursuit of personal political benefit. In so doing, President Trump used the powers of the Presidency in a manner that compromised the national security of the United States and undermined the integrity of the United States democratic process. He thus ignored and injured the interests of the Nation.</content></section>
<section id="id741C970C286C47659B75A0021C011078"><chapeau>President Trump engaged in this scheme or course of conduct through the following means:</chapeau>
<paragraph identifier="/us/resolution/116/hres/755/s/1" id="idC56B50F26C6242B4A917CF874F7BFDC8" class="indent1"><num value="1">(1) </num><chapeau>President Trump—acting both directly and through his agents within and outside the United States Government—corruptly solicited the Government of Ukraine to publicly announce investigations into—</chapeau>
<subparagraph identifier="/us/resolution/116/hres/755/s/1/A" id="idD9148047449144CDBF67AAF8C9179AB5" class="indent2"><num value="A">(A) </num><content>a political opponent, former Vice President Joseph R. Biden, Jr.; and</content></subparagraph>
<subparagraph identifier="/us/resolution/116/hres/755/s/1/B" id="id60C53858CCAE4928BB56C2DC2DD363BA" class="indent2"><num value="B">(B) </num><content>a discredited theory promoted by Russia alleging that Ukraine—rather than Russia—interfered in the 2016 United States Presidential election.</content></subparagraph></paragraph>
<paragraph identifier="/us/resolution/116/hres/755/s/2" id="id50DA498FBC8E49719686B52FC4E4F39C" class="indent1"><num value="2">(2) </num><chapeau>With the same corrupt motives, President Trump—acting both directly and through his agents within and outside the United States Government—conditioned two official acts on the public announcements that he had requested—</chapeau>
<subparagraph identifier="/us/resolution/116/hres/755/s/2/A" id="idEAB3F1FE6F3241F1B42DA10600117ED5" class="indent2"><num value="A">(A) </num><content>the release of $391 million of United States taxpayer funds that Congress had appropriated on a bipartisan basis for the purpose of providing vital military and security assistance to Ukraine to oppose Russian aggression and which President Trump had ordered suspended; and</content></subparagraph>
<subparagraph identifier="/us/resolution/116/hres/755/s/2/B" id="id955E0E1C66AB4CFBBEA0B717D1E67BB8" class="indent2"><num value="B">(B) </num><content>a head of state meeting at the White House, which the President of Ukraine sought to demonstrate continued United States support for the Government of Ukraine in the face of Russian aggression.</content></subparagraph></paragraph>
<paragraph identifier="/us/resolution/116/hres/755/s/3" id="id1D2F71E16C614DD493E7631D3BC07B09" class="indent1"><num value="3">(3) </num><content>Faced with the public revelation of his actions, President Trump ultimately released the military and security assistance to the Government of Ukraine, but has persisted in openly and corruptly urging and soliciting Ukraine to undertake investigations for his personal political benefit.</content></paragraph></section>
<section id="idB16BAFD50FA647E9847FCC9AB5FD5767"><content class="inline">These actions were consistent with President Trumps previous invitations of foreign interference in United States elections.</content></section>
<section id="id837062E19C1F4AE386AEAD78C1830585"><content class="inline">In all of this, President Trump abused the powers of the Presidency by ignoring and injuring national security and other vital national interests to obtain an improper personal political benefit. He has also betrayed the Nation by abusing his high office to enlist a foreign power in corrupting democratic elections.</content></section>
<section id="id57D667858CBB43558D776837591E7DEC"><chapeau>Wherefore President Trump, by such conduct, has demonstrated that he will remain a threat to national security and the Constitution if allowed to remain in office, and has acted in a manner grossly incompatible with self-governance and the rule of law. President Trump thus warrants impeachment and trial, removal from office, and disqualification to hold and enjoy any office of honor, trust, or profit under the United States.</chapeau>
<appropriations level="small" id="id3090B971C8B140FCA42E67D79043A2BA"><heading><inline class="smallCaps">article ii: obstruction of congress</inline></heading></appropriations></section>
<section id="idE37EBFAD5EC748358030F0F5819F3893"><content class="inline">The Constitution provides that the House of Representatives “shall have the sole Power of Impeachment” and that the President “shall be removed from Office on Impeachment for, and Conviction of, Treason, Bribery, or other high Crimes and Misdemeanors”. In his conduct of the office of President of the United States—and in violation of his constitutional oath faithfully to execute the office of President of the United States and, to the best of his ability, preserve, protect, and defend the Constitution of the United States, and in violation of his constitutional duty to take care that the laws be faithfully executed—Donald J. Trump has directed the unprecedented, categorical, and indiscriminate defiance of subpoenas issued by the House of Representatives pursuant to its “sole Power of Impeachment”. President Trump has abused the powers of the Presidency in a manner offensive to, and subversive of, the Constitution, in that:</content></section>
<section id="id54719EFF7E4F41BC968873050855D1BF"><content class="inline">The House of Representatives has engaged in an impeachment inquiry focused on President Trumps corrupt solicitation of the Government of Ukraine to interfere in the 2020 United States Presidential election. As part of this impeachment inquiry, the Committees undertaking the investigation served subpoenas seeking documents and testimony deemed vital to the inquiry from various Executive Branch agencies and offices, and current and former officials.</content></section>
<section id="id30608543C0FA4B6D9BE23ADEF780DEF0"><content class="inline">In response, without lawful cause or excuse, President Trump directed Executive Branch agencies, offices, and officials not to comply with those subpoenas. President Trump thus interposed the powers of the Presidency against the lawful subpoenas of the House of Representatives, and assumed to himself functions and judgments necessary to the exercise of the “sole Power of Impeachment” vested by the Constitution in the House of Representatives.</content></section>
<section id="idA871197566524A1582A27144600EC118"><chapeau>President Trump abused the powers of his high office through the following means:</chapeau>
<paragraph identifier="/us/resolution/116/hres/755/s/1" id="idF8C7BB0A8031494595D1523367CBB077" class="indent1"><num value="1">(1) </num><content>Directing the White House to defy a lawful subpoena by withholding the production of documents sought therein by the Committees.</content></paragraph>
<paragraph identifier="/us/resolution/116/hres/755/s/2" id="id7A94C74C14D5421D9E98672B584445AF" class="indent1"><num value="2">(2) </num><content>Directing other Executive Branch agencies and offices to defy lawful subpoenas and withhold the production of documents and records from the Committees—in response to which the Department of State, Office of Management and Budget, Department of Energy, and Department of Defense refused to produce a single document or record.</content></paragraph>
<paragraph identifier="/us/resolution/116/hres/755/s/3" id="idA5E687BD02CA43319B4AEC96C835E1FE" class="indent1"><num value="3">(3) </num><content>Directing current and former Executive Branch officials not to cooperate with the Committees—in response to which nine Administration officials defied subpoenas for testimony, namely John Michael “Mick” Mulvaney, Robert B. Blair, John A. Eisenberg, Michael Ellis, Preston Wells Griffith, Russell T. Vought, Michael Duffey, Brian McCormack, and T. Ulrich Brechbuhl.</content></paragraph></section>
<section id="id146D1E4FA67842DD9BA58672FB70D194"><content class="inline">These actions were consistent with President Trumps previous efforts to undermine United States Government investigations into foreign interference in United States elections.</content></section>
<section id="id0AE0D39B99E043E1A4AFABFB3012B63F"><content class="inline">Through these actions, President Trump sought to arrogate to himself the right to determine the propriety, scope, and nature of an impeachment inquiry into his own conduct, as well as the unilateral prerogative to deny any and all information to the House of Representatives in the exercise of its “sole Power of Impeachment”. In the history of the Republic, no President has ever ordered the complete defiance of an impeachment inquiry or sought to obstruct and impede so comprehensively the ability of the House of Representatives to investigate “high Crimes and Misdemeanors”. This abuse of office served to cover up the Presidents own repeated misconduct and to seize and control the power of impeachment—and thus to nullify a vital constitutional safeguard vested solely in the House of Representatives.</content></section>
<section id="id80666019ADC44465A00F94BCE8516D20"><content class="inline">In all of this, President Trump has acted in a manner contrary to his trust as President and subversive of constitutional government, to the great prejudice of the cause of law and justice, and to the manifest injury of the people of the United States.</content></section>
<section id="id3D60EFCE0268432AB54FC8D65F3458DD"><content class="inline">Wherefore, President Trump, by such conduct, has demonstrated that he will remain a threat to the Constitution if allowed to remain in office, and has acted in a manner grossly incompatible with self-governance and the rule of law. President Trump thus warrants impeachment and trial, removal from office, and disqualification to hold and enjoy any office of honor, trust, or profit under the United States.</content></section></main>
<signatures>
<signature role="impeachment-resolution-signature"><name>NANCY PELOSI,</name>
<role>Speaker of the House of Representatives</role>.</signature>
<signature><notation type="attestation">Attest: </notation><name display="no">CHERYL L. JOHNSON,</name><role>Clerk</role>.</signature></signatures></resolution>

View File

@@ -0,0 +1,115 @@
<?xml version="1.0" encoding="UTF-8"?><?xml-stylesheet type="text/css" href="uslm.css"?><bill xmlns="http://schemas.gpo.gov/xml/uslm" xmlns:dc="http://purl.org/dc/elements/1.1/" xmlns:html="http://www.w3.org/1999/xhtml" xmlns:uslm="http://schemas.gpo.gov/xml/uslm" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://schemas.gpo.gov/xml/uslm uslm-2.1.0.xsd" xml:lang="en" id="A1">
<!--Disclaimer: Legislative measures that include compacts or other non-standard data structures will require additional modeling and may contain inconsistencies in the converted USLM XML.-->
<meta>
<dc:title>116 S 1014 ES: To establish the Route 66 Centennial Commission, and for other purposes.</dc:title>
<dc:type>Senate Bill</dc:type>
<docNumber>1014</docNumber>
<citableAs>116 S 1014 ES</citableAs>
<citableAs>116s1014es</citableAs>
<citableAs>116 S. 1014 ES</citableAs>
<docStage>Engrossed in Senate</docStage>
<currentChamber>SENATE</currentChamber>
<dc:creator>United States Senate</dc:creator>
<processedBy>GPO XPub Bill to USLM Generator, version 0.5 + manual changes</processedBy>
<processedDate>2024-09-09</processedDate>
<dc:publisher>United States Government Publishing Office</dc:publisher>
<dc:format>text/xml</dc:format>
<dc:language>EN</dc:language>
<dc:rights>Pursuant to Title 17 Section 105 of the United States Code, this file is not subject to copyright protection and is in the public domain.</dc:rights>
<congress>116</congress>
<session>2</session>
<publicPrivate>public</publicPrivate></meta>
<preface>
<slugLine>S 1014 ES</slugLine>
<congress value="116">116th CONGRESS</congress>
<session value="2">2d Session</session>
<dc:type>S. </dc:type>
<docNumber>1014</docNumber>
<currentChamber value="SENATE" display="no">IN THE SENATE OF THE UNITED STATES</currentChamber></preface>
<main styleType="OLC"><longTitle><docTitle>AN ACT</docTitle><officialTitle>To establish the Route 66 Centennial Commission, and for other purposes.</officialTitle></longTitle><enactingFormula><i>Be it enacted by the Senate and House of Representatives of the United States of America in Congress assembled, </i></enactingFormula>
<section identifier="/us/bill/116/s/1014/s1" id="H8A878186B171427D950356D4D424950C"><num value="1">SECTION 1. </num><heading>SHORT TITLE.</heading><content class="block">This Act may be cited as the “<shortTitle role="act">Route 66 Centennial Commission Act</shortTitle>”.</content></section>
<section identifier="/us/bill/116/s/1014/s2" id="H4206023BE5EA4201A362CAFB918C6F3A"><num value="2">SEC. 2. </num><heading>FINDINGS.</heading>
<chapeau class="indent0">Congress finds that—</chapeau>
<paragraph identifier="/us/bill/116/s/1014/s2/1" id="HDC6DCFBC54734EEA93DEF61F652DA72D" class="indent1"><num value="1">(1) </num><content>Route 66 was the first all-weather highway in the United States connecting the Midwest to California, and has played a major role in the history of the United States;</content></paragraph>
<paragraph identifier="/us/bill/116/s/1014/s2/2" id="id1AEE68F714B24D7C9E4DEEEFB6F00888" class="indent1"><num value="2">(2) </num><content>Route 66 has become a symbol of the heritage of travel and the legacy of seeking a better life shared by the people of the United States, and has been enshrined in the popular culture of the United States; and</content></paragraph>
<paragraph identifier="/us/bill/116/s/1014/s2/3" id="HD4B2A0E37F57490491ED2228BA1C1F02" class="indent1"><num value="3">(3) </num><content>the year 2026 will be the centennial anniversary of Route 66, and a commission should be established to study and recommend in a report to Congress activities that are fitting and proper to celebrate that anniversary in a manner that appropriately honors the Mother Road of the United States.</content></paragraph></section>
<section identifier="/us/bill/116/s/1014/s3" id="H78F7424FD04948EE89345C7305ABCD0C"><num value="3">SEC. 3. </num><heading>ESTABLISHMENT.</heading><content class="block">There is established a commission to be known as the “Route 66 Centennial Commission” (referred to in this Act as the “Commission”).</content></section>
<section identifier="/us/bill/116/s/1014/s4" id="H0969AC90D25E4FB88B1B2ED46CD5F343"><num value="4">SEC. 4. </num><heading>DUTIES.</heading>
<chapeau class="indent0">The Commission shall—</chapeau>
<paragraph identifier="/us/bill/116/s/1014/s4/1" id="idc3504242b53143169ebb84af383b6463" class="indent1"><num value="1">(1) </num><chapeau>study activities that may be carried out by the Federal Government to determine whether the activities are fitting and proper to honor Route 66 on the occasion of the centennial anniversary of Route 66, including activities such as—</chapeau>
<subparagraph identifier="/us/bill/116/s/1014/s4/1/A" id="idf81b6c8f567841f79a5ae57477d44447" class="indent2"><num value="A">(A) </num><content>the issuance of commemorative coins, medals, certificates of recognition, and postage stamps;</content></subparagraph>
<subparagraph identifier="/us/bill/116/s/1014/s4/1/B" id="id29389f8f856d49cfbe09a9dccbbb2e63" class="indent2"><num value="B">(B) </num><content>ceremonies and celebrations commemorating specific events; and</content></subparagraph>
<subparagraph identifier="/us/bill/116/s/1014/s4/1/C" id="id794c9adb56624522afe0de4253c10fd1" class="indent2"><num value="C">(C) </num><content>the production, publication, and distribution of books, pamphlets, films, electronic publications, and other educational materials; and</content></subparagraph></paragraph>
<paragraph identifier="/us/bill/116/s/1014/s4/2" id="idec9662a146814796b2cf089051f7f299" class="indent1"><num value="2">(2) </num><chapeau>recommend to Congress—</chapeau>
<subparagraph identifier="/us/bill/116/s/1014/s4/2/A" id="id774D21AE7BB04E00A5118158E65E4697" class="indent2"><num value="A">(A) </num><content>the activities that the Commission considers most fitting and proper to honor Route 66 on the occasion described in paragraph (1); and </content></subparagraph>
<subparagraph identifier="/us/bill/116/s/1014/s4/2/B" id="idD20D90CFCCE14CE0B00E9C1458A60CE8" class="indent2"><num value="B">(B) </num><content>1 or more entities in the Federal Government that the Commission considers most appropriate to carry out those activities. </content></subparagraph></paragraph></section>
<section identifier="/us/bill/116/s/1014/s5" id="HC38527410C8543BAA79B18E4A602D524"><num value="5">SEC. 5. </num><heading>MEMBERSHIP.</heading>
<subsection identifier="/us/bill/116/s/1014/s5/a" id="HFD86AB8A48534514913275056C6BA418" class="indent0"><num value="a">(a) </num><heading><inline class="smallCaps">Number and Appointment</inline>.—</heading><chapeau>The Commission shall be composed of 15 members appointed as follows:</chapeau>
<paragraph identifier="/us/bill/116/s/1014/s5/a/1" id="HC92BB2EF92844072A217C4A5EBCE9386" class="indent1"><num value="1">(1) </num><content>3 members, each of whom shall be an eligible individual described in subsection (b), appointed by the President based on the recommendation of the Secretary of Transportation.</content></paragraph>
<paragraph identifier="/us/bill/116/s/1014/s5/a/2" id="HEFBDFC85EDC9411F878B4E1CED839145" class="indent1"><num value="2">(2) </num><content>1 member, who shall be an eligible individual described in subsection (b), appointed by the President based on the recommendation of the Governor of Illinois.</content></paragraph>
<paragraph identifier="/us/bill/116/s/1014/s5/a/3" id="H44F0580AC7274F8CA124A36730E2A83F" class="indent1"><num value="3">(3) </num><content>1 member, who shall be an eligible individual described in subsection (b), appointed by the President based on the recommendation of the Governor of Missouri.</content></paragraph>
<paragraph identifier="/us/bill/116/s/1014/s5/a/4" id="H72EE84CABADE424BAE2B00F83769C2EB" class="indent1"><num value="4">(4) </num><content>1 member, who shall be an eligible individual described in subsection (b), appointed by the President based on the recommendation of the Governor of Kansas.</content></paragraph>
<paragraph identifier="/us/bill/116/s/1014/s5/a/5" id="H8B37767475B64DAAB8EEA970423A012B" class="indent1"><num value="5">(5) </num><content>1 member, who shall be an eligible individual described in subsection (b), appointed by the President based on the recommendation of the Governor of Oklahoma.</content></paragraph>
<paragraph identifier="/us/bill/116/s/1014/s5/a/6" id="H050C5A97602043C89146D556F2C119A4" class="indent1"><num value="6">(6) </num><content>1 member, who shall be an eligible individual described in subsection (b), appointed by the President based on the recommendation of the Governor of Texas.</content></paragraph>
<paragraph identifier="/us/bill/116/s/1014/s5/a/7" id="H03FB1C7290D54B3293FBA8AF7F930E43" class="indent1"><num value="7">(7) </num><content>1 member, who shall be an eligible individual described in subsection (b), appointed by the President based on the recommendation of the Governor of New Mexico.</content></paragraph>
<paragraph identifier="/us/bill/116/s/1014/s5/a/8" id="H7EFF29C46E3846B987D65DFDAA5DA77D" class="indent1"><num value="8">(8) </num><content>1 member, who shall be an eligible individual described in subsection (b), appointed by the President based on the recommendation of the Governor of Arizona.</content></paragraph>
<paragraph identifier="/us/bill/116/s/1014/s5/a/9" id="H2F32FB83BBDD4BBE8A60F2C57CC94215" class="indent1"><num value="9">(9) </num><content>1 member, who shall be an eligible individual described in subsection (b), appointed by the President based on the recommendation of the Governor of California.</content></paragraph>
<paragraph identifier="/us/bill/116/s/1014/s5/a/10" id="H0EC6A0BC496944FE9432C729F40F627B" class="indent1"><num value="10">(10) </num><content>1 member, who shall be an eligible individual described in subsection (b), appointed by the President based on the recommendation of the Speaker of the House of Representatives.</content></paragraph>
<paragraph identifier="/us/bill/116/s/1014/s5/a/11" id="HDECE0F1B781F462F842A03775014E7CD" class="indent1"><num value="11">(11) </num><content>1 member, who shall be an eligible individual described in subsection (b), appointed by the President based on the recommendation of the Minority Leader of the House of Representatives.</content></paragraph>
<paragraph identifier="/us/bill/116/s/1014/s5/a/12" id="id56FED940FF904CCD874ED2FD51F3BD92" class="indent1"><num value="12">(12) </num><content>1 member, who shall be an eligible individual described in subsection (b), appointed by the President based on the recommendation of the Majority Leader of the Senate.</content></paragraph>
<paragraph identifier="/us/bill/116/s/1014/s5/a/13" id="id8BD19B46C07E43FB818D364DC97B4690" class="indent1"><num value="13">(13) </num><content>1 member, who shall be an eligible individual described in subsection (b), appointed by the President based on the recommendation of the Minority Leader of the Senate.</content></paragraph></subsection>
<subsection identifier="/us/bill/116/s/1014/s5/b" id="HE67A6725CB93433BBA86EE11B94937D3" class="indent0"><num value="b">(b) </num><heading><inline class="smallCaps">Eligible Individual</inline>.—</heading><chapeau>An eligible individual referred to in subsection (a) is an individual with—</chapeau>
<paragraph identifier="/us/bill/116/s/1014/s5/b/1" id="HF7967F904C374B0E9A1BE65FEEA171F9" class="indent1"><num value="1">(1) </num><content>a demonstrated dedication to educating others about the importance of historical figures and events; and</content></paragraph>
<paragraph identifier="/us/bill/116/s/1014/s5/b/2" id="H41408AA35B564BED98392788CEA17021" class="indent1"><num value="2">(2) </num><content>substantial knowledge and appreciation of Route 66.</content></paragraph></subsection>
<subsection identifier="/us/bill/116/s/1014/s5/c" id="HCD7CE73398404738A51AFFCE2A7A1428" class="indent0"><num value="c">(c) </num><heading><inline class="smallCaps">Time of Appointment</inline>.—</heading><content>Each initial appointment of a member of the Commission shall be made before the expiration of the 120-day period beginning on the date of enactment of this Act.</content></subsection>
<subsection identifier="/us/bill/116/s/1014/s5/d" id="H6CD4F18B7875425A92889C3DD2118C18" class="indent0"><num value="d">(d) </num><heading><inline class="smallCaps">Terms</inline>.—</heading><content>Each member shall be appointed for the life of the Commission.</content></subsection>
<subsection identifier="/us/bill/116/s/1014/s5/e" id="HF12F94CD86D94995BD21A323CD796A0D" class="indent0"><num value="e">(e) </num><heading><inline class="smallCaps">Vacancies</inline>.—</heading><content>A vacancy in the Commission shall not affect the powers of the Commission but shall be filled in the manner in which the original appointment was made.</content></subsection>
<subsection identifier="/us/bill/116/s/1014/s5/f" id="HC1A4EA6F717448A78FA600B7FFD06CB4" class="indent0"><num value="f">(f) </num><heading><inline class="smallCaps">Basic Pay</inline>.—</heading><content>Members shall serve on the Commission without pay.</content></subsection>
<subsection identifier="/us/bill/116/s/1014/s5/g" id="HEB3054830E5B46B5B9B61A4950F0A06F" class="indent0"><num value="g">(g) </num><heading><inline class="smallCaps">Travel Expenses</inline>.—</heading><content>Each member shall receive travel expenses, including per diem in lieu of subsistence, in accordance with sections 5702 and 5703 of <ref href="/us/usc/t5">title 5, United States Code</ref>.</content></subsection>
<subsection identifier="/us/bill/116/s/1014/s5/h" id="HBEDC60233C4548ABACA71E5E30E43324" class="indent0"><num value="h">(h) </num><heading><inline class="smallCaps">Quorum</inline>.—</heading><content>7 members of the Commission shall constitute a quorum, but a lesser number may hold hearings.</content></subsection>
<subsection identifier="/us/bill/116/s/1014/s5/i" id="HC6FD780CE4A64138B71E836AB96E8D05" class="indent0"><num value="i">(i) </num><heading><inline class="smallCaps">Chair and Vice Chair</inline>.—</heading><content>The Commission shall select a Chair and Vice Chair from among the members of the Commission.</content></subsection>
<subsection identifier="/us/bill/116/s/1014/s5/j" id="H8B59054F95FF49D09F7B463999549E19" class="indent0"><num value="j">(j) </num><heading><inline class="smallCaps">Meetings</inline>.—</heading><content>The Commission shall meet at the call of the Chair.</content></subsection></section>
<section identifier="/us/bill/116/s/1014/s6" id="H6798C1037CE644F791A3777E641D9D85"><num value="6">SEC. 6. </num><heading>DIRECTOR AND STAFF.</heading>
<subsection identifier="/us/bill/116/s/1014/s6/a" id="H991AB7CD6D474D9C943B2FD72023F571" class="indent0"><num value="a">(a) </num><heading><inline class="smallCaps">Director</inline>.—</heading><content>The Commission may appoint and fix the pay of a Director and such additional personnel as the Commission considers to be appropriate.</content></subsection>
<subsection identifier="/us/bill/116/s/1014/s6/b" id="HB1E7B30CB86E4312A44BE33ABFB51465" class="indent0"><num value="b">(b) </num><heading><inline class="smallCaps">Applicability of Certain Civil Service Laws</inline>.—</heading>
<paragraph identifier="/us/bill/116/s/1014/s6/b/1" id="H504B176EF98440E69334ECC479BDCE6B" class="indent1"><num value="1">(1) </num><heading><inline class="smallCaps">Director</inline>.—</heading><chapeau>The Director of the Commission shall—</chapeau>
<subparagraph identifier="/us/bill/116/s/1014/s6/b/1/A" id="id63E80A7469E44B9A83B7213374FE4A04" class="indent2"><num value="A">(A) </num><content>be appointed without regard to the provisions of <ref href="/us/usc/t5">title 5, United States Code</ref>, governing appointments in the competitive service; and</content></subparagraph>
<subparagraph identifier="/us/bill/116/s/1014/s6/b/1/B" id="id8C292880BC18475799C989D183AFA2B7" class="indent2"><num value="B">(B) </num><content>be paid without regard to the provisions of chapter 51 and <ref href="/us/usc/t5/ch53/schIII">subchapter III of chapter 53 of title 5, United States Code</ref>, relating to classification and General Schedule pay rates, except that the rate of pay for the Director may not exceed the rate payable for level IV of the Executive Schedule under section 5315 of that title.</content></subparagraph></paragraph>
<paragraph identifier="/us/bill/116/s/1014/s6/b/2" id="HBA0E666D21774E5BACC5C4174B0887BB" class="indent1"><num value="2">(2) </num><heading><inline class="smallCaps">Staff</inline>.—</heading><chapeau>The staff of the Commission shall—</chapeau>
<subparagraph identifier="/us/bill/116/s/1014/s6/b/2/A" id="idA1408B03545A49DBAD363B14726B3E3B" class="indent2"><num value="A">(A) </num><content>be appointed without regard to the provisions of <ref href="/us/usc/t5">title 5, United States Code</ref>, governing appointments in the competitive service; and</content></subparagraph>
<subparagraph identifier="/us/bill/116/s/1014/s6/b/2/B" id="id70C1CCEC557F42978F653DC609F92984" class="indent2"><num value="B">(B) </num><content>be paid without regard to the provisions of chapter 51 and <ref href="/us/usc/t5/ch53/schIII">subchapter III of chapter 53 of title 5, United States Code</ref>, relating to classification and General Schedule pay rates.</content></subparagraph></paragraph></subsection>
<subsection identifier="/us/bill/116/s/1014/s6/c" id="idF2B010664557431DA068F8B840C8A694" class="indent0"><num value="c">(c) </num><heading><inline class="smallCaps">Source of Compensation</inline>.—</heading><chapeau>In accordance with section 10—</chapeau>
<paragraph identifier="/us/bill/116/s/1014/s6/c/1" id="idDA1E459806A148ABABC3BC50B436E385" class="indent1"><num value="1">(1) </num><content>no Federal funds may be expended to compensate a Director or staff member of the Commission under this section; and</content></paragraph>
<paragraph identifier="/us/bill/116/s/1014/s6/c/2" id="id40AD3BC3C2FB44D6A0B9B7A9FD9E9B8A" class="indent1"><num value="2">(2) </num><content>any compensation paid to a Director or any staff of the Commission appointed under this section shall be derived solely from donated funds. </content></paragraph></subsection></section>
<section identifier="/us/bill/116/s/1014/s7" id="HE1B13772699D41F5B90EE1A851402D00"><num value="7">SEC. 7. </num><heading>POWERS.</heading>
<subsection identifier="/us/bill/116/s/1014/s7/a" id="H53F49E9CAC3249EF9DEFA95D3D302A7A" class="indent0"><num value="a">(a) </num><heading><inline class="smallCaps">Hearings and Sessions</inline>.—</heading><content>The Commission may hold such hearings, sit and act at such times and places, take such testimony, and receive such evidence as the Commission considers to be appropriate to carry out this Act.</content></subsection>
<subsection identifier="/us/bill/116/s/1014/s7/b" id="H42F51B3F0C3045108DED9F75700953DD" class="indent0"><num value="b">(b) </num><heading><inline class="smallCaps">Powers of Members and Agents</inline>.—</heading><content>Any member or agent of the Commission may, if authorized by the Commission, take any action that the Commission is authorized to take under this Act.</content></subsection>
<subsection identifier="/us/bill/116/s/1014/s7/c" id="H5E8833F2DA5D43F9B7B9EB5C7EF69529" class="indent0"><num value="c">(c) </num><heading><inline class="smallCaps">Mails</inline>.—</heading><content>The Commission may use the United States mails in the same manner and under the same conditions as other Federal departments and agencies.</content></subsection>
<subsection identifier="/us/bill/116/s/1014/s7/d" id="H74A1A807C4A3433EA0720CD3BC36D95A" class="indent0"><num value="d">(d) </num><heading><inline class="smallCaps">Administrative Support Services</inline>.—</heading>
<paragraph identifier="/us/bill/116/s/1014/s7/d/1" id="idA054F434E40F455AA00A689F53B4E2E3" class="indent1"><num value="1">(1) </num><heading><inline class="smallCaps">In general</inline>.—</heading><content>On the request of the Commission, the Administrator of General Services shall provide to the Commission, on a reimbursable basis, the administrative support services necessary for the Commission to carry out this Act.</content></paragraph>
<paragraph identifier="/us/bill/116/s/1014/s7/d/2" id="id94166AC6BA074D0A82672FFDA36CFAF9" class="indent1"><num value="2">(2) </num><heading><inline class="smallCaps">Detailees</inline>.—</heading>
<subparagraph identifier="/us/bill/116/s/1014/s7/d/2/A" id="idA22005C5AECE4C068E8B49239DD83D31" class="indent2"><num value="A">(A) </num><heading><inline class="smallCaps">Federal employees</inline>.—</heading>
<clause identifier="/us/bill/116/s/1014/s7/d/2/A/i" id="id707DEEEDA7264535A99E12F52815A241" class="indent3"><num value="i">(i) </num><heading><inline class="smallCaps">In general</inline>.—</heading><content>At the request of the Commission, the head of any Federal agency or department may detail to the Commission, on a reimbursable or nonreimbursable basis, any employee of the agency or department.</content></clause>
<clause identifier="/us/bill/116/s/1014/s7/d/2/A/ii" id="idADDCEC75C45040FEB19BC71D93F60B73" class="indent3"><num value="ii">(ii) </num><heading><inline class="smallCaps">Civil service status</inline>.—</heading><content>The detail of an employee under clause (i) shall be without interruption or loss of civil service status or privilege.</content></clause>
<clause identifier="/us/bill/116/s/1014/s7/d/2/A/iii" id="id562BA2ADF4AF4A478C0F6DCEF7AA145A" class="indent3"><num value="iii">(iii) </num><heading><inline class="smallCaps">No additional compensation</inline>.—</heading><content>A Federal employee who is detailed to the Commission under this subparagraph may not receive any additional pay, allowances, benefits, or other compensation by reason of the detail of the employee to the Commission or any services performed by the employee for the Commission. </content></clause></subparagraph>
<subparagraph identifier="/us/bill/116/s/1014/s7/d/2/B" id="id971112928191475BB66260218C2E7600" class="indent2"><num value="B">(B) </num><heading><inline class="smallCaps">State employees</inline>.—</heading><chapeau>The Commission may—</chapeau>
<clause identifier="/us/bill/116/s/1014/s7/d/2/B/i" id="id801843744BBA4B57BCEBF6FFCE17FF26" class="indent3"><num value="i">(i) </num><content>accept the services of personnel detailed from a State; and</content></clause>
<clause identifier="/us/bill/116/s/1014/s7/d/2/B/ii" id="idAAB3F538B32D45AFA395855F69AE132B" class="indent3"><num value="ii">(ii) </num><content>reimburse the State for the services of the detailed personnel.</content></clause></subparagraph></paragraph></subsection>
<subsection identifier="/us/bill/116/s/1014/s7/e" id="id4C20444274CC40D7B4CF01796A7A9EA5" class="indent0"><num value="e">(e) </num><heading><inline class="smallCaps">Volunteer and Uncompensated Services</inline>.—</heading><content>Notwithstanding <ref href="/us/usc/t31/s1342">section 1342 of title 31, United States Code</ref>, the Commission may accept and use such voluntary and uncompensated services as the Commission determines to be necessary.</content></subsection>
<subsection identifier="/us/bill/116/s/1014/s7/f" id="id56FC1659A9C34AC1939805FD84E39968" class="indent0"><num value="f">(f) </num><heading><inline class="smallCaps">Gifts</inline>.—</heading><content>The Commission may accept, use, and dispose of gifts, grants, bequests, or devises of money, services, or property from any public or private source for the purpose of covering the costs incurred by the Commission in carrying out this Act.</content></subsection></section>
<section identifier="/us/bill/116/s/1014/s8" id="H4C56C0FED0684EDAB9B059698C1E78C5"><num value="8">SEC. 8. </num><heading>REPORTS.</heading>
<subsection identifier="/us/bill/116/s/1014/s8/a" id="H08FCCE351EEF489EA52C4EB55E0AF315" class="indent0"><num value="a">(a) </num><heading><inline class="smallCaps">Interim Reports</inline>.—</heading><content>The Commission may submit to Congress such interim reports as the Commission considers to be appropriate.</content></subsection>
<subsection identifier="/us/bill/116/s/1014/s8/b" id="H73D4ED85D123409981621E83BBCE58D3" class="indent0"><num value="b">(b) </num><heading><inline class="smallCaps">Final Report</inline>.—</heading><chapeau>Not later than 2 years after the date on which all members of the Commission are appointed, the Commission shall submit to Congress a final report containing—</chapeau>
<paragraph identifier="/us/bill/116/s/1014/s8/b/1" id="idF655691E889144FFA2DE170AFBCF079C" class="indent1"><num value="1">(1) </num><content>a detailed statement of the findings and conclusions of the Commission;</content></paragraph>
<paragraph identifier="/us/bill/116/s/1014/s8/b/2" id="idF88FEAF346774E29A7B403DC7DC4D626" class="indent1"><num value="2">(2) </num><content>the recommendations of the Commission; and</content></paragraph>
<paragraph identifier="/us/bill/116/s/1014/s8/b/3" id="idFCF1CDF21B7C42C3B95EBF2E00F83499" class="indent1"><num value="3">(3) </num><content>any other information that the Commission considers to be appropriate.</content></paragraph></subsection></section>
<section identifier="/us/bill/116/s/1014/s9" id="H55B2BAF35BBB4D4EB9F72E2889244B17"><num value="9">SEC. 9. </num><heading>TERMINATION.</heading><content class="block">The Commission shall terminate on December 31, 2026.</content></section>
<section identifier="/us/bill/116/s/1014/s10" id="H47AF9BD97ACA4C0F8F2F3C7F949A65CF"><num value="10">SEC. 10. </num><heading>EXPENDITURES OF COMMISSION.</heading>
<subsection identifier="/us/bill/116/s/1014/s10/a" id="idEF52BCB2FDBD4533946C06CD2F057E8C" class="indent0"><num value="a">(a) </num><heading><inline class="smallCaps">In General</inline>.—</heading><content>All expenditures of the Commission, including any reimbursement required under this Act, shall be made solely from donated funds.</content></subsection>
<subsection identifier="/us/bill/116/s/1014/s10/b" id="idFB159B628A08406BB38462C6F6E52E87" class="indent0"><num value="b">(b) </num><heading><inline class="smallCaps">No Additional Funds Authorized</inline>.—</heading><content>No additional funds are authorized to be appropriated to carry out this Act.</content></subsection></section></main>
<attestation><action><actionDescription>Passed the Senate </actionDescription><date date="2020-08-10" meta="chamber:Senate">August 10, 2020</date>.</action>
<signatures>
<signature>
<notation type="attestation">Attest: </notation><role>Secretary</role>.</signature></signatures></attestation>
<endorsement orientation="landscape"><congress value="116">116th CONGRESS</congress><session value="2">2d Session</session><dc:type>S. </dc:type><docNumber>1014</docNumber>
<longTitle><docTitle>AN ACT</docTitle><officialTitle>To establish the Route 66 Centennial Commission, and for other purposes.</officialTitle></longTitle></endorsement></bill>

View File

@@ -0,0 +1,93 @@
<?xml version="1.0" encoding="UTF-8"?><?xml-stylesheet type="text/css" href="uslm.css"?><resolution xmlns="http://schemas.gpo.gov/xml/uslm" xmlns:dc="http://purl.org/dc/elements/1.1/" xmlns:html="http://www.w3.org/1999/xhtml" xmlns:uslm="http://schemas.gpo.gov/xml/uslm" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://schemas.gpo.gov/xml/uslm uslm-2.1.0.xsd" xml:lang="en"><!--Disclaimer: Legislative measures that include compacts or other non-standard data structures will require additional modeling and may contain inconsistencies in the converted USLM XML.--> <meta>
<dc:title>116 SCONRES 10 RS: Recognizing that Chinese telecommunications companies such as Huawei and ZTE pose serious threats to the national security of the United States and its allies.</dc:title>
<dc:type>Senate Concurrent Resolution</dc:type>
<docNumber>10</docNumber>
<citableAs>116 SCONRES 10 RS</citableAs>
<citableAs>116sconres10rs</citableAs>
<citableAs>116 S. Con. Res. 10 RS</citableAs>
<docStage>Reported in Senate</docStage>
<currentChamber>SENATE</currentChamber>
<dc:creator>United States Senate</dc:creator>
<processedBy>GPO XPub Bill to USLM Generator, version 0.5 + manual changes</processedBy>
<processedDate>2024-09-09</processedDate>
<dc:publisher>United States Government Publishing Office</dc:publisher>
<dc:format>text/xml</dc:format>
<dc:language>EN</dc:language>
<dc:rights>Pursuant to Title 17 Section 105 of the United States Code, this file is not subject to copyright protection and is in the public domain.</dc:rights>
<relatedDocument role="calendar" href="/us/116/scal/136">Calendar No. 136</relatedDocument>
<congress>116</congress>
<session>1</session>
<publicPrivate>public</publicPrivate></meta>
<preface>
<slugLine>•SCON 10 RS</slugLine>
<distributionCode display="yes">III</distributionCode>
<relatedDocument role="calendar" href="/us/116/scal/136">Calendar No. 136</relatedDocument>
<congress value="116">116th CONGRESS</congress>
<session value="1">1st Session</session>
<dc:type>S. CON. RES. </dc:type>
<docNumber>10</docNumber>
<dc:title>Recognizing that Chinese telecommunications companies such as Huawei and ZTE pose serious threats to the national security of the United States and its allies.</dc:title>
<currentChamber value="SENATE">IN THE SENATE OF THE UNITED STATES</currentChamber>
<action><date date="2019-03-28"><inline class="smallCaps">March </inline>28, 2019</date><actionDescription><sponsor senateId="S377">Mr. <inline class="smallCaps">Gardner</inline></sponsor> (for himself, <cosponsor senateId="S337">Mr. <inline class="smallCaps">Coons</inline></cosponsor>, <cosponsor senateId="S369">Mr. <inline class="smallCaps">Markey</inline></cosponsor>, <cosponsor senateId="S355">Mr. <inline class="smallCaps">Cruz</inline></cosponsor>, and <cosponsor senateId="S350">Mr. <inline class="smallCaps">Rubio</inline></cosponsor>) submitted the following concurrent resolution; which was referred to the <committee committeeId="SSFR00" addedDisplayStyle="italic" deletedDisplayStyle="strikethrough">Committee on Foreign Relations</committee></actionDescription></action>
<action actionStage="Reported-in-Senate"><date><inline class="smallCaps">July </inline>9, 2019</date><actionDescription>Reported by <sponsor senateId="S323">Mr. <inline class="smallCaps">Risch</inline></sponsor>, with an amendment and an amendment to the preamble</actionDescription><actionInstruction>[Strike out all after the resolving clause and insert the part printed in italic]</actionInstruction><actionInstruction>[Strike the preamble and insert the part printed in italic]</actionInstruction></action></preface>
<main styleType="OLC"><longTitle><docTitle>CONCURRENT RESOLUTION</docTitle><officialTitle>Recognizing that Chinese telecommunications companies such as Huawei and ZTE pose serious threats to the national security of the United States and its allies.</officialTitle></longTitle><preamble>
<recital changed="deleted" origin="#SSFR00">Whereas fifth generation (5G) wireless technology promises greater speed and capacity and will provide the backbone for the next generation of digital technologies;</recital>
<recital changed="deleted" origin="#SSFR00">Whereas fifth generation wireless technology will be a revolutionary advancement in telecommunications with the potential to create millions of jobs and billions of dollars in economic opportunity;</recital>
<recital changed="deleted" origin="#SSFR00">Whereas Chinese companies, including Huawei, have invested substantial resources in advancing fifth generation wireless technology and other telecommunications services around the globe, including subsidies provided directly by the Government of the Peoples Republic of China;</recital>
<recital changed="deleted" origin="#SSFR00">Whereas Chinese officials have increased leadership roles at the International Telecommunications Union, where international telecommunications standards are set, and companies such as Huawei have increased their influence at the 3rd Generation Partnership Project (3GPP), whose work informs global technology standards;</recital>
<recital changed="deleted" origin="#SSFR00">Whereas Huawei and ZTE have aggressively sought to enter into contracts throughout the developing world, including throughout Latin America and Africa in countries such as Venezuela and Kenya;</recital>
<recital changed="deleted" origin="#SSFR00">Whereas, in 2012, the Permanent Select Committee on Intelligence of the House of Representatives released a bipartisan report naming Huawei and ZTE as national security threats;</recital>
<recital changed="deleted" origin="#SSFR00">Whereas, in 2013, the United States restricted Federal procurement of certain products produced by Huawei and ZTE and has since expanded restrictions on Federal procurement of those products;</recital>
<recital changed="deleted" origin="#SSFR00">Whereas, in 2016, the national legislature of the Peoples Republic of China passed the Cyber Security Law of the Peoples Republic of China, article 28 of which requires “network operators”, including companies like Huawei, to “provide technical support and assistance” to Chinese authorities involved in national security efforts;</recital>
<recital changed="deleted" origin="#SSFR00">Whereas, in 2017, the national legislature of the Peoples Republic of China passed the National Intelligence Law of the Peoples Republic of China, article 7 of which requires “all organizations and citizens”—including companies like Huawei and ZTE—to “support, assist, and cooperate with national intelligence efforts” undertaken by the Peoples Republic of China;</recital>
<recital changed="deleted" origin="#SSFR00">Whereas, in August 2018, the Government of Australia banned Huawei and ZTE from building the fifth generation wireless networks of Australia;</recital>
<recital changed="deleted" origin="#SSFR00">Whereas, in August 2018, Congress restricted the heads of Federal agencies from procuring certain covered telecommunications equipment and services, which included Huawei and ZTE equipment;</recital>
<recital changed="deleted" origin="#SSFR00">Whereas, in December 2018, the Government of Japan issued instructions effectively banning Huawei and ZTE from official contracts in the country;</recital>
<recital changed="deleted" origin="#SSFR00">Whereas, on December 7, 2018, a Vice-President of the European Commission expressed concern that Huawei and other Chinese companies may be forced to cooperate with Chinas intelligence services to install “mandatory backdoors” to allow access to encrypted data;</recital>
<recital changed="deleted" origin="#SSFR00">Whereas, in January 2019, the Office of the Director of National Intelligence issued a Worldwide Threat Assessment that describes concerns “about the potential for Chinese intelligence and security services to use Chinese information technology firms as routine and systemic espionage platforms against the United States and allies”;</recital>
<recital changed="deleted" origin="#SSFR00">Whereas, in February 2019, the Government of New Zealand expressed serious concern about Huawei building the fifth generation wireless networks of New Zealand;</recital>
<recital changed="deleted" origin="#SSFR00">Whereas the Department of Justice has charged Huawei with the theft of trade secrets, obstruction of justice, and other serious crimes;</recital>
<recital changed="deleted" origin="#SSFR00">Whereas, against the strong advice of the United States and a number of the security partners of the United States, the governments of countries such as Germany have indicated that they may permit Huawei to build out the fifth generation wireless networks of those countries;</recital>
<recital changed="deleted" origin="#SSFR00">Whereas installation of Huawei equipment in the communications infrastructure of countries that are allies of the United States would jeopardize the security of communication lines between the United States and those allies;</recital>
<recital changed="deleted" origin="#SSFR00">Whereas secure communications systems are critical to ensure the safety and defense of the United States and allies of the United States;</recital>
<recital changed="deleted" origin="#SSFR00">Whereas the North Atlantic Treaty Organization (NATO) and other vital international security arrangements depend on strong and secure communications, which could be put at risk through the use of Huawei and ZTE equipment; and</recital>
<recital changed="deleted" origin="#SSFR00">Whereas there has been broad bipartisan consensus in Congress for years that Chinese companies like Huawei and ZTE present serious threats to national and global security: Now, therefore, be it</recital>
<recital changed="added" origin="#SSFR00" class="italic">Whereas fifth-generation (in this preamble referred to as “5G”) wireless technology promises greater speed and capacity and will provide the backbone for the next generation of digital technologies;</recital>
<recital changed="added" origin="#SSFR00" class="italic">Whereas 5G wireless technology will be a revolutionary advancement in telecommunications with the potential to create millions of jobs and billions of dollars in economic opportunity;</recital>
<recital changed="added" origin="#SSFR00" class="italic">Whereas Chinese companies, including Huawei, have invested substantial resources in advancing 5G wireless technology and other telecommunications services around the globe, including subsidies provided directly by the Government of the Peoples Republic of China;</recital>
<recital changed="added" origin="#SSFR00" class="italic">Whereas Chinese officials have assumed a greater number of leadership roles at the International Telecommunications Union, where international telecommunications standards are set, and Chinese companies such as Huawei have increased their influence at the 3rd Generation Partnership Project (3GPP), whose work informs global telecommunications network technology standards;</recital>
<recital changed="added" origin="#SSFR00" class="italic">Whereas Huawei and ZTE have rapidly expanded their market share throughout the developing world, including in Latin America and Africa, in countries such as Venezuela and Kenya;</recital>
<recital changed="added" origin="#SSFR00" class="italic">Whereas, in 2018, Huawei increased its penetration to approximately 29 percent of the global telecommunications equipment market and 43 percent of the market in the Asia-Pacific, according to DellOro Group;</recital>
<recital changed="added" origin="#SSFR00" class="italic">Whereas, in 2012, the Permanent Select Committee on Intelligence of the House of Representatives released a bipartisan report naming Huawei and ZTE as national security threats;</recital>
<recital changed="added" origin="#SSFR00" class="italic">Whereas, in 2013, the United States restricted Federal procurement of certain products produced by Huawei and ZTE and has since expanded these restrictions;</recital>
<recital changed="added" origin="#SSFR00" class="italic">Whereas, in 2016, the national legislature of the Peoples Republic of China passed the Cyber Security Law of the Peoples Republic of China, Article 28 of which requires “network operators”, including companies like Huawei, to “provide technical support and assistance” to Chinese authorities involved in national security efforts;</recital>
<recital changed="added" origin="#SSFR00" class="italic">Whereas, in 2017, the national legislature of the Peoples Republic of China passed the National Intelligence Law of the Peoples Republic of China, Article 7 of which requires “all organizations and citizens”, including companies like Huawei and ZTE, to “support, assist, and cooperate with national intelligence efforts” undertaken by the Peoples Republic of China;</recital>
<recital changed="added" origin="#SSFR00" class="italic">Whereas, in August 2018, the Government of Australia banned Huawei and ZTE from building the 5G wireless networks of Australia;</recital>
<recital changed="added" origin="#SSFR00" class="italic">Whereas, in August 2018, Congress restricted the heads of Federal agencies from procuring certain telecommunications equipment and services, which included Huawei and ZTE equipment;</recital>
<recital changed="added" origin="#SSFR00" class="italic">Whereas, in December 2018, the Government of Japan issued a directive barring procurement by the government and the Japan Self-Defense Forces of telecommunications equipment that would undermine national security;</recital>
<recital changed="added" origin="#SSFR00" class="italic">Whereas, on December 7, 2018, a Vice President of the European Commission expressed concern that Huawei and other Chinese companies may be forced to cooperate with Chinas intelligence services to install “mandatory backdoors”;</recital>
<recital changed="added" origin="#SSFR00" class="italic">Whereas, in January 2019, the Office of the Director of National Intelligence issued a Worldwide Threat Assessment that describes concerns “about the potential for Chinese intelligence and security services to use Chinese information technology firms as routine and systemic espionage platforms against the United States and allies”;</recital>
<recital changed="added" origin="#SSFR00" class="italic">Whereas, in February 2019, the Government of New Zealand expressed serious concern about Huawei building the 5G wireless networks of New Zealand;</recital>
<recital changed="added" origin="#SSFR00" class="italic">Whereas, on May 3, 2019, the Prague 5G Security Conference, which was widely attended by representatives from the European Union and the North Atlantic Treaty Organization (NATO), including the United States, produced the Prague Proposals, which state that “communication networks and services should be designed with resilience and security in mind”;</recital>
<recital changed="added" origin="#SSFR00" class="italic">Whereas the Department of Justice has charged Huawei with the theft of trade secrets, obstruction of justice, and other serious crimes;</recital>
<recital changed="added" origin="#SSFR00" class="italic">Whereas, against the strong advice of the United States, the governments of some countries, including United States security partners such as Germany, have indicated they may permit the involvement of Huawei in building 5G wireless networks in those countries;</recital>
<recital changed="added" origin="#SSFR00" class="italic">Whereas installation of Huawei equipment in the communications infrastructure of United States allies would jeopardize the security of communication lines between the United States and those allies;</recital>
<recital changed="added" origin="#SSFR00" class="italic">Whereas secure communications systems are critical to ensure the safety and defense of the United States and allies of the United States;</recital>
<recital changed="added" origin="#SSFR00" class="italic">Whereas the North Atlantic Treaty Organization and other vital international security arrangements, including the Five Eyes partnership, depend on strong and secure communications, which could be at risk through the use of Huawei and ZTE equipment; and</recital>
<recital changed="added" origin="#SSFR00" class="italic">Whereas there has been broad bipartisan consensus in Congress for years that Chinese companies like Huawei and ZTE present serious threats to national and global security: Now, therefore, be it</recital><resolvingClause><i>Resolved by the Senate (the House of Representatives concurring), </i></resolvingClause></preamble><section changed="deleted" id="S1" class="inline"><chapeau class="inline">That—</chapeau>
<paragraph identifier="/us/resolution/116/sconres/10/s/1" id="id66BE2B5A998B4EEC9146DF2AEC96D630" class="indent1"><num value="1">(1) </num><content>Chinese telecommunications companies such as Huawei and ZTE pose serious threats to the national security of the United States and allies of the United States;</content></paragraph>
<paragraph identifier="/us/resolution/116/sconres/10/s/2" id="idD96C236EEC1B4564BA8BFC2B1B259184" class="indent1"><num value="2">(2) </num><content>the United States should reiterate to countries that are choosing to incorporate Huawei or ZTE products in their new telecommunications infrastructure that the United States will consider all necessary measures to limit the risks incurred by entities of the United States Government or Armed Forces from use of such compromised networks;</content></paragraph>
<paragraph identifier="/us/resolution/116/sconres/10/s/3" id="id48E32B0A07E54E73994C619AB72A374C" class="indent1"><num value="3">(3) </num><content>the United States should continue to make allies of the United States aware of the ongoing and future risks to telecommunications networks shared between the United States and such allies; and</content></paragraph>
<paragraph identifier="/us/resolution/116/sconres/10/s/4" id="id9785C21562024EE982A973F3D6EF7152" class="indent1"><num value="4">(4) </num><content>the United States should work with the private sector and allies and partners of the United States, including the European Union, in a regularized bilateral or multilateral format, to identify secure, cost-effective, and reliable alternatives to Huawei or ZTE products.</content></paragraph></section>
<section id="idF897AA8EA89B4B828C418BF80EC91320"><chapeau><addedText origin="#SSFR00" class="italic">That—</addedText></chapeau>
<paragraph identifier="/us/resolution/116/sconres/10/s/1" id="id2ED15AD6038E46E6B525985CB00BA322" changed="added" origin="#SSFR00" class="indent1 italic"><num value="1">(1) </num><content>Chinese telecommunications companies such as Huawei and ZTE pose serious threats to the national security of the United States and allies of the United States;</content></paragraph>
<paragraph identifier="/us/resolution/116/sconres/10/s/2" id="id096192D287E24088B6FC2F0AEB16D40F" changed="added" origin="#SSFR00" class="indent1 italic"><num value="2">(2) </num><content>the United States should reiterate to countries choosing to incorporate Huawei or ZTE products into their new telecommunications infrastructure that the United States will seek to limit the risks posed to the United States Government or Armed Forces from use of such compromised networks;</content></paragraph>
<paragraph identifier="/us/resolution/116/sconres/10/s/3" id="idE6ECC3939A694F9E837F2FD63A2F0B5B" changed="added" origin="#SSFR00" class="indent1 italic"><num value="3">(3) </num><content>the United States should continue to make allies of the United States aware of the ongoing and future risks to telecommunications networks shared by the United States and such allies;</content></paragraph>
<paragraph identifier="/us/resolution/116/sconres/10/s/4" id="id2E8CC5F5FC704AB6B05D035ABB3386CE" changed="added" origin="#SSFR00" class="indent1 italic"><num value="4">(4) </num><content>the United States should work with the private sector and allies and partners, including the European Union, in regularized bilateral or multilateral formats, to identify secure, cost-effective, and reliable alternatives to Huawei or ZTE products; and</content></paragraph>
<paragraph identifier="/us/resolution/116/sconres/10/s/5" id="idAAE3AB2254A84F4EB75DDCCB67C5AFBC" changed="added" origin="#SSFR00" class="indent1 italic"><num value="5">(5) </num><content>the United States should accelerate its efforts to increase its leadership and participation in the international fora responsible for global telecommunications standards, and work with allies and partners as well as the private sector to also increase their engagement.</content></paragraph></section></main>
<endorsement orientation="landscape"><relatedDocument role="calendar" href="/us/116/scal/136">Calendar No. 136</relatedDocument>
<congress value="116">116th CONGRESS</congress><session value="1">1st Session</session><dc:type>S. CON. RES. </dc:type><docNumber>10</docNumber>
<longTitle><docTitle>CONCURRENT RESOLUTION</docTitle>
<officialTitle>Recognizing that Chinese telecommunications companies such as Huawei and ZTE pose serious threats to the national security of the United States and its allies.</officialTitle></longTitle>
<action><date date="2019-07-09"><inline class="smallCaps">July </inline>9, 2019</date>
<actionDescription>Reported with an amendment and an amendment to the preamble</actionDescription></action></endorsement></resolution>

View File

@@ -0,0 +1,30 @@
<?xml version="1.0" encoding="UTF-8"?><?xml-stylesheet type="text/css" href="uslm.css"?><resolution xmlns="http://schemas.gpo.gov/xml/uslm" xmlns:dc="http://purl.org/dc/elements/1.1/" xmlns:html="http://www.w3.org/1999/xhtml" xmlns:uslm="http://schemas.gpo.gov/xml/uslm" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://schemas.gpo.gov/xml/uslm uslm-2.1.0.xsd" xml:lang="en" meta="slc-id:S1-BOM19914-F0K-F4-L82"><!--Disclaimer: Legislative measures that include compacts or other non-standard data structures will require additional modeling and may contain inconsistencies in the converted USLM XML.--> <meta>
<dc:title>116 SJRES 65 CPS: Providing for the reappointment of John Fahey as a citizen regent of the Board of Regents of the Smithsonian Institution. </dc:title>
<dc:type>Senate Joint Resolution</dc:type>
<docNumber>65</docNumber>
<citableAs>116 SJRES 65 CPS</citableAs>
<citableAs>116sjres65cps</citableAs>
<citableAs>116 S. J. Res. 65 CPS</citableAs>
<docStage>Considered and Passed Senate</docStage>
<currentChamber>SENATE</currentChamber>
<dc:creator>United States Senate</dc:creator>
<processedBy>GPO XPub Bill to USLM Generator, version 0.5</processedBy>
<processedDate>2024-09-09</processedDate>
<dc:publisher>United States Government Publishing Office</dc:publisher>
<dc:format>text/xml</dc:format>
<dc:language>EN</dc:language>
<dc:rights>Pursuant to Title 17 Section 105 of the United States Code, this file is not subject to copyright protection and is in the public domain.</dc:rights>
<congress>116</congress>
<session>2</session>
<publicPrivate>public</publicPrivate></meta>
<preface>
<slugLine>•SJ 65 CPS</slugLine>
<distributionCode display="yes">IIA</distributionCode>
<congress value="116">116th CONGRESS</congress>
<session value="2">2d Session</session>
<dc:type>S. J. RES. </dc:type>
<docNumber>65</docNumber>
<dc:title>Providing for the reappointment of John Fahey as a citizen regent of the Board of Regents of the Smithsonian Institution. </dc:title>
<currentChamber value="SENATE">IN THE SENATE OF THE UNITED STATES</currentChamber>
<action><date date="2020-01-09"><inline class="smallCaps">January </inline>9, 2020</date><actionDescription><sponsor senateId="S343" role="by-request:no">Mr. <inline class="smallCaps">Boozman</inline></sponsor> (for himself, <cosponsor senateId="S379">Mr. <inline class="smallCaps">Perdue</inline></cosponsor>, and <cosponsor senateId="S057">Mr. <inline class="smallCaps">Leahy</inline></cosponsor>) introduced the following joint resolution; which was read twice, considered, read the third time, and passed</actionDescription></action></preface>
<main styleType="OLC"><longTitle><docTitle>JOINT RESOLUTION</docTitle><officialTitle>Providing for the reappointment of John Fahey as a citizen regent of the Board of Regents of the Smithsonian Institution. </officialTitle></longTitle><resolvingClause class="inline"><i>Resolved by the Senate and House of Representatives of the United States of America in Congress assembled, </i></resolvingClause><section id="S1" class="inline"><content class="inline">That, in accordance with section 5581 of the Revised Statutes (<ref href="/us/usc/t20/s43">20 U.S.C. 43</ref>), the vacancy on the Board of Regents of the Smithsonian Institution, in the class other than Members of Congress, occurring by reason of the expiration of the term of John Fahey of Massachusetts on February 20, 2020, is filled by the reappointment of the incumbent. The reappointment is for a term of six years, beginning on the later of February 20, 2020, or the date of the enactment of this joint resolution.</content></section></main><endMarker>○</endMarker></resolution>

View File

@@ -0,0 +1,77 @@
<?xml version="1.0" encoding="UTF-8"?><?xml-stylesheet type="text/css" href="uslm.css"?><resolution xmlns="http://schemas.gpo.gov/xml/uslm" xmlns:dc="http://purl.org/dc/elements/1.1/" xmlns:html="http://www.w3.org/1999/xhtml" xmlns:uslm="http://schemas.gpo.gov/xml/uslm" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://schemas.gpo.gov/xml/uslm uslm-2.1.0.xsd" xml:lang="en"><!--Disclaimer: Legislative measures that include compacts or other non-standard data structures will require additional modeling and may contain inconsistencies in the converted USLM XML.--> <meta>
<dc:title>116 SRES 100 ATS: Recognizing the heritage, culture, and contributions of American Indian, Alaska Native, and Native Hawaiian women in the United States.</dc:title>
<dc:type>Senate Simple Resolution</dc:type>
<docNumber>100</docNumber>
<citableAs>116 SRES 100 ATS</citableAs>
<citableAs>116sres100ats</citableAs>
<citableAs>116 S. Res. 100 ATS</citableAs>
<docStage>Agreed to Senate</docStage>
<currentChamber>SENATE</currentChamber>
<dc:creator>United States Senate</dc:creator>
<processedBy>GPO XPub Bill to USLM Generator, version 0.5 + manual changes</processedBy>
<processedDate>2024-09-09</processedDate>
<dc:publisher>United States Government Publishing Office</dc:publisher>
<dc:format>text/xml</dc:format>
<dc:language>EN</dc:language>
<dc:rights>Pursuant to Title 17 Section 105 of the United States Code, this file is not subject to copyright protection and is in the public domain.</dc:rights>
<congress>116</congress>
<session>1</session>
<publicPrivate>public</publicPrivate></meta>
<preface>
<slugLine> SRES 100 ATS</slugLine>
<distributionCode display="yes">III</distributionCode>
<congress value="116">116th CONGRESS</congress>
<session value="1">1st Session</session>
<dc:type>S. RES. </dc:type>
<docNumber>100</docNumber>
<dc:title>Recognizing the heritage, culture, and contributions of American Indian, Alaska Native, and Native Hawaiian women in the United States.</dc:title>
<currentChamber value="SENATE">IN THE SENATE OF THE UNITED STATES</currentChamber>
<action><date date="2019-03-07"><inline class="smallCaps">March </inline>7, 2019</date><actionDescription><sponsor senateId="S288">Ms. <inline class="smallCaps">Murkowski</inline></sponsor> (for herself, <cosponsor senateId="S326">Mr. <inline class="smallCaps">Udall</inline></cosponsor>, <cosponsor senateId="S354">Ms. <inline class="smallCaps">Baldwin</inline></cosponsor>, <cosponsor senateId="S341">Mr. <inline class="smallCaps">Blumenthal</inline></cosponsor>, <cosponsor senateId="S370">Mr. <inline class="smallCaps">Booker</inline></cosponsor>, <cosponsor senateId="S275">Ms. <inline class="smallCaps">Cantwell</inline></cosponsor>, <cosponsor senateId="S385">Ms. <inline class="smallCaps">Cortez Masto</inline></cosponsor>, <cosponsor senateId="S375">Mr. <inline class="smallCaps">Daines</inline></cosponsor>, <cosponsor senateId="S386">Ms. <inline class="smallCaps">Duckworth</inline></cosponsor>, <cosponsor senateId="S387">Ms. <inline class="smallCaps">Harris</inline></cosponsor>, <cosponsor senateId="S359">Mr. <inline class="smallCaps">Heinrich</inline></cosponsor>, <cosponsor senateId="S361">Ms. <inline class="smallCaps">Hirono</inline></cosponsor>, <cosponsor senateId="S344">Mr. <inline class="smallCaps">Hoeven</inline></cosponsor>, <cosponsor senateId="S362">Mr. <inline class="smallCaps">Kaine</inline></cosponsor>, <cosponsor senateId="S363">Mr. <inline class="smallCaps">King</inline></cosponsor>, <cosponsor senateId="S311">Ms. <inline class="smallCaps">Klobuchar</inline></cosponsor>, <cosponsor senateId="S378">Mr. <inline class="smallCaps">Lankford</inline></cosponsor>, <cosponsor senateId="S400">Ms. <inline class="smallCaps">McSally</inline></cosponsor>, <cosponsor senateId="S322">Mr. <inline class="smallCaps">Merkley</inline></cosponsor>, <cosponsor senateId="S347">Mr. <inline class="smallCaps">Moran</inline></cosponsor>, <cosponsor senateId="S229">Mrs. <inline class="smallCaps">Murray</inline></cosponsor>, <cosponsor senateId="S402">Ms. <inline class="smallCaps">Rosen</inline></cosponsor>, <cosponsor senateId="S313">Mr. <inline class="smallCaps">Sanders</inline></cosponsor>, <cosponsor senateId="S353">Mr. <inline class="smallCaps">Schatz</inline></cosponsor>, <cosponsor senateId="S270">Mr. <inline class="smallCaps">Schumer</inline></cosponsor>, <cosponsor senateId="S394">Ms. <inline class="smallCaps">Smith</inline></cosponsor>, <cosponsor senateId="S314">Mr. <inline class="smallCaps">Tester</inline></cosponsor>, <cosponsor senateId="S366">Ms. <inline class="smallCaps">Warren</inline></cosponsor>, <cosponsor senateId="S247">Mr. <inline class="smallCaps">Wyden</inline></cosponsor>, <cosponsor senateId="S284">Ms. <inline class="smallCaps">Stabenow</inline></cosponsor>, <cosponsor senateId="S383">Mr. <inline class="smallCaps">Sullivan</inline></cosponsor>, and <cosponsor senateId="S403">Ms. <inline class="smallCaps">Sinema</inline></cosponsor>) submitted the following resolution; which was referred to the <committee committeeId="SLIA00">Committee on Indian Affairs</committee></actionDescription></action>
<action><date><inline class="smallCaps">March </inline>28, 2019</date><actionDescription>Committee discharged; considered and agreed to</actionDescription></action></preface>
<main styleType="OLC"><longTitle><docTitle>RESOLUTION</docTitle><officialTitle>Recognizing the heritage, culture, and contributions of American Indian, Alaska Native, and Native Hawaiian women in the United States.</officialTitle></longTitle><preamble>
<recital>Whereas the United States celebrates National Womens History Month every March to recognize and honor the achievements of women throughout the history of the United States;</recital>
<recital>Whereas an estimated 3,081,000 American Indian, Alaska Native, and Native Hawaiian women live in the United States;</recital>
<recital>Whereas American Indian, Alaska Native, and Native Hawaiian women helped shape the history of their communities, Tribes, and the United States;</recital>
<recital>Whereas American Indian, Alaska Native, and Native Hawaiian women contribute to their communities, Tribes, and the United States through work in many industries, including business, education, science, medicine, literature, fine arts, military service, and public service;</recital>
<recital>Whereas American Indian, Alaska Native, and Native Hawaiian women have fought to defend and protect the sovereign rights of Native Nations;</recital>
<recital>Whereas American Indian, Alaska Native, and Native Hawaiian women have demonstrated resilience and courage in the face of a history of threatened existence, constant removals, and relocations;</recital>
<recital>Whereas more than 6,000 American Indian, Alaska Native, and Native Hawaiian women bravely serve as members of the United States Armed Forces;</recital>
<recital>Whereas more than 17,000 American Indian, Alaska Native, and Native Hawaiian women are veterans who have made lasting contributions to the United States military;</recital>
<recital><p class="inline">Whereas American Indian, Alaska Native, and Native Hawaiian women broke down historical gender barriers to enlistment in the military, including—</p>
<paragraph identifier="/us/resolution/116/sres/100/1" id="id0C4E2B73EC7D4535BB45E5BC41BD3E64" class="indent1"><num value="1">(1) </num><content>Inupiat Eskimo sharpshooter Laura Beltz Wright of the Alaska Territorial Guard during World War II; and</content></paragraph>
<paragraph identifier="/us/resolution/116/sres/100/2" id="idE3E9E9D4BC8948EEA0560A0D5FDAC93E" class="indent1"><num value="2">(2) </num><content>Minnie Spotted Wolf of the Blackfeet Tribe, the first Native American woman to enlist in the United States Marine Corps in 1943;</content></paragraph></recital>
<recital>Whereas American Indian, Alaska Native, and Native Hawaiian women have made the ultimate sacrifice for the United States, including Lori Ann Piestewa, a member of the Hopi Tribe and the first woman in the United States military killed in the Iraq War in 2003;</recital>
<recital><p class="inline">Whereas American Indian, Alaska Native, and Native Hawaiian women have contributed to the economic development of Native Nations and the United States as a whole, including Elouise Cobell of the Blackfeet Tribe, a recipient of the Presidential Medal of Freedom, who—</p>
<paragraph identifier="/us/resolution/116/sres/100/1" id="id106B0F4ABF91406D9AA960FF406F256A" class="indent1"><num value="1">(1) </num><content>served as the treasurer of her Tribe;</content></paragraph>
<paragraph identifier="/us/resolution/116/sres/100/2" id="idFCB58A93922A4ECB8BE7B3615F8BF34B" class="indent1"><num value="2">(2) </num><content>founded the first Tribally owned national bank; and</content></paragraph>
<paragraph identifier="/us/resolution/116/sres/100/3" id="id2499621A93D84822AE4685779CE03B93" class="indent1"><num value="3">(3) </num><content>led the fight against Federal mismanagement of funds held in trust for more than 500,000 Native Americans;</content></paragraph></recital>
<recital>Whereas American Indian, Alaska Native, and Native Hawaiian women own an estimated 154,900 businesses;</recital>
<recital>Whereas these Native women-owned businesses employ more than 50,000 workers and generate over $10,000,000,000 in revenues as of 2016;</recital>
<recital>Whereas American Indian and Alaska Native women have opened an average of more than 17 new businesses each day since 2007;</recital>
<recital>Whereas American Indian, Alaska Native, and Native Hawaiian women have made significant contributions to the field of medicine, including Susan La Flesche Picotte of the Omaha Tribe, who is widely acknowledged as the first Native American to earn a medical degree;</recital>
<recital><p class="inline">Whereas American Indian, Alaska Native, and Native Hawaiian women have contributed to important scientific advancements, including—</p>
<paragraph identifier="/us/resolution/116/sres/100/1" id="id0F754E55A73F4D80AF5B774060E9E0B0" class="indent1"><num value="1">(1) </num><chapeau>Floy Agnes Lee of Santa Clara Pueblo, who—</chapeau>
<subparagraph identifier="/us/resolution/116/sres/100/1/A" id="id462899C6AD374AECB560E21D4943CCB3" class="indent2"><num value="A">(A) </num><content>worked on the Manhattan Project during World War II; and</content></subparagraph>
<subparagraph identifier="/us/resolution/116/sres/100/1/B" id="idF5456A4848CB40A1BAE7E9F24280D9CE" class="indent2"><num value="B">(B) </num><content>pioneered research on radiation biology and cancer; and</content></subparagraph></paragraph>
<paragraph identifier="/us/resolution/116/sres/100/2" id="id9DC47097411C4B05B0ACB8A2EFAEEFCC" class="indent1"><num value="2">(2) </num><chapeau>Native Hawaiian Isabella Kauakea Yau Yung Aiona Abbott, who—</chapeau>
<subparagraph identifier="/us/resolution/116/sres/100/2/A" id="id00C3B05A54FA4C25BD58942D0EEE6C8B" class="indent2"><num value="A">(A) </num><content>was the first woman on the biological sciences faculty at Stanford University; and</content></subparagraph>
<subparagraph identifier="/us/resolution/116/sres/100/2/B" id="id3F2376D498E149D298A3D1F3D89F96B6" class="indent2"><num value="B">(B) </num><content>was awarded the highest award in marine botany from the National Academy of Sciences, the Gilbert Morgan Smith medal, in 1997;</content></subparagraph></paragraph></recital>
<recital>Whereas American Indian, Alaska Native, and Native Hawaiian women have achieved distinctive honors in the art of dance, including Maria Tall Chief of the Osage Nation the first major prima ballerina of the United States and was a recipient of a Lifetime Achievement Award from the Kennedy Center;</recital>
<recital>Whereas American Indian, Alaska Native, and Native Hawaiian women have accomplished notable literary achievements, including Northern Paiute author Sarah Winnemucca Hopkins who wrote and published one of the first Native American autobiographies in United States history in 1883;</recital>
<recital><p class="inline">Whereas American Indian, Alaska Native, and Native Hawaiian women have regularly led efforts to revitalize and maintain Native cultures and languages, including—</p>
<paragraph identifier="/us/resolution/116/sres/100/1" id="id05C32ADADDD74C6994255AF715879455" class="indent1"><num value="1">(1) </num><content>Tewa linguist and teacher Esther Martinez, who developed a Tewa dictionary and was credited with revitalizing the Tewa language; and</content></paragraph>
<paragraph identifier="/us/resolution/116/sres/100/2" id="id661614A791114F2D970D2B5A503E58DF" class="indent1"><num value="2">(2) </num><content>Native Hawaiian scholar Mary Kawena Pukui, who published more than 50 academic works and was considered the most noted Hawaiian translator of the 20th century;</content></paragraph></recital>
<recital><p class="inline">Whereas American Indian, Alaska Native, and Native Hawaiian women have excelled in athletic competition and created opportunities for other female athletes within their sport, including Rell Kapoliokaehukai Sunn who—</p>
<paragraph identifier="/us/resolution/116/sres/100/1" id="idD22B857D4F3E4A46BCC4966FDBF3C688" class="indent1"><num value="1">(1) </num><content>ranked as longboard surfing champion of the world; and</content></paragraph>
<paragraph identifier="/us/resolution/116/sres/100/2" id="idBA508ED74E584717B4993A717B509C87" class="indent1"><num value="2">(2) </num><content>co-founded the Womens Professional Surfing Association in 1975, the first professional surfing tour for women;</content></paragraph></recital>
<recital>Whereas American Indian, Alaska Native, and Native Hawaiian women have played a vital role in advancing civil rights, protecting human rights, and safeguarding the environment, including Elizabeth Wanamaker Peratrovich of the Tlingit Nation who helped secure the passage of the Anti-Discrimination Act of 1945 of the Alaska Territory, the first anti-discrimination law in the United States;</recital>
<recital>Whereas American Indian, Alaska Native, and Native Hawaiian women have succeeded as judges, attorneys, and legal advocates, including Eliza “Lyda” Conley, a Wyandot-American lawyer and the first Native woman admitted to argue a case before the United States Supreme Court in 1909;</recital>
<recital>Whereas American Indian, Alaska Native, and Native Hawaiian women have paved the way for women in the law, including Native Hawaiian Emma Kailikapiolono Metcalf Beckley Nakuina who served as the first female judge in Hawaii;</recital>
<recital>Whereas American Indian, Alaska Native, and Native Hawaiian women are dedicated public servants, holding important positions in State governments, local governments, the Federal judicial branch, and the Federal executive branches;</recital>
<recital>Whereas American Indian and Alaska Native women have served as remarkable Tribal councilwomen, Tribal court judges, and Tribal leaders, including Wilma Mankiller, the first woman elected to serve as Principal Chief of the Cherokee Nation who fought for Tribal self-determination and improvement of the community infrastructure of her Tribe;</recital>
<recital>Whereas Native Hawaiian women have also led their People through notable acts of public service, including Kaahumanu who was the first Native Hawaiian woman to serve as regent of the Kingdom of Hawaii;</recital>
<recital>Whereas the United States should continue to invest in the future of American Indian, Alaska Native, and Native Hawaiian women to address the barriers they face, including access to justice, health care, and opportunities for educational and economic advancement; and</recital>
<recital>Whereas American Indian, Alaska Native, and Native Hawaiian women are the life givers, the culture bearers, and the caretakers of Native peoples who have made precious contributions enriching the lives of all people of the United States: Now, therefore, be it</recital><resolvingClause><i>Resolved, </i></resolvingClause></preamble><section id="S1" class="inline"><chapeau class="inline">That the Senate—</chapeau>
<paragraph identifier="/us/resolution/116/sres/100/s/1" id="id5659118EDEE04DDCBC24E4DA1DF5C875" class="indent1"><num value="1">(1) </num><content>celebrates and honors the successes of American Indian, Alaska Native, and Native Hawaiian women and the contributions they have made and continue to make to the United States; and</content></paragraph>
<paragraph identifier="/us/resolution/116/sres/100/s/2" id="id59B8754A437F4B8F8CBEEC37C06D03B4" class="indent1"><num value="2">(2) </num><content>recognizes the importance of supporting equity, providing safety, and upholding the interests of American Indian, Alaska Native, and Native Hawaiian women.</content></paragraph></section></main>
<endMarker></endMarker></resolution>

View File

@@ -0,0 +1,243 @@
<?xml version="1.0" encoding="UTF-8"?><?xml-stylesheet type="text/css" href="uslm.css"?><bill xmlns="http://schemas.gpo.gov/xml/uslm" xmlns:dc="http://purl.org/dc/elements/1.1/" xmlns:html="http://www.w3.org/1999/xhtml" xmlns:uslm="http://schemas.gpo.gov/xml/uslm" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://schemas.gpo.gov/xml/uslm uslm-2.1.0.xsd" xml:lang="en" id="A1" meta="slc-id:S1-DAV23811-DYM-DX-G3F">
<!--Disclaimer: Legislative measures that include compacts or other non-standard data structures will require additional modeling and may contain inconsistencies in the converted USLM XML.--> <meta>
<dc:title>118 S 1325 RS: To establish a partnership with nations in the Western Hemisphere to promote economic competitiveness, democratic governance, and security, and for other purposes.</dc:title>
<dc:type>Senate Bill</dc:type>
<docNumber>1325</docNumber>
<citableAs>118 S 1325 RS</citableAs>
<citableAs>118s1325rs</citableAs>
<citableAs>118 S. 1325 RS</citableAs>
<docStage>Reported in Senate</docStage>
<currentChamber>SENATE</currentChamber>
<dc:creator>United States Senate</dc:creator>
<processedBy>GPO XPub Bill to USLM Generator, version 0.5 + manual changes</processedBy>
<processedDate>2024-09-09</processedDate>
<dc:publisher>United States Government Publishing Office</dc:publisher>
<dc:format>text/xml</dc:format>
<dc:language>EN</dc:language>
<dc:rights>Pursuant to Title 17 Section 105 of the United States Code, this file is not subject to copyright protection and is in the public domain.</dc:rights>
<relatedDocument role="calendar" href="/us/118/scal/51">Calendar No. 51</relatedDocument>
<congress>118</congress>
<session>1</session>
<publicPrivate>public</publicPrivate></meta>
<preface>
<slugLine>•S 1325 RS</slugLine>
<distributionCode display="yes">II</distributionCode>
<relatedDocument role="calendar" href="/us/118/scal/51">Calendar No. 51</relatedDocument>
<congress value="118">118th CONGRESS</congress>
<session value="1">1st Session</session>
<dc:type>S. </dc:type>
<docNumber>1325</docNumber>
<dc:title>To establish a partnership with nations in the Western Hemisphere to promote economic competitiveness, democratic governance, and security, and for other purposes.</dc:title>
<currentChamber value="SENATE">IN THE SENATE OF THE UNITED STATES</currentChamber>
<action><date date="2023-04-26"><inline class="smallCaps">April </inline>26, 2023</date><actionDescription><sponsor senateId="S323">Mr. Risch</sponsor> (for himself, <cosponsor senateId="S306">Mr. Menendez</cosponsor>, and <cosponsor senateId="S350">Mr. Rubio</cosponsor>) introduced the following bill; which was read twice and referred to the <committee committeeId="SSFR00" addedDisplayStyle="italic" deletedDisplayStyle="strikethrough">Committee on Foreign Relations</committee></actionDescription></action>
<action actionStage="Reported-in-Senate"><date><inline class="smallCaps">May </inline>4, 2023</date><actionDescription>Reported by <sponsor senateId="S306">Mr. Menendez</sponsor>, with an amendment</actionDescription><actionInstruction>[Strike out all after the enacting clause and insert the part printed in italic]</actionInstruction></action></preface>
<main styleType="OLC"><longTitle><docTitle>A BILL</docTitle><officialTitle>To establish a partnership with nations in the Western Hemisphere to promote economic competitiveness, democratic governance, and security, and for other purposes.</officialTitle></longTitle><enactingFormula>Be it enacted by the Senate and House of Representatives of the United States of America in Congress assembled, </enactingFormula>
<collection>
<component origin="#SSFR00" changed="deleted">
<main>
<section identifier="/us/bill/118/s/1325/s1" id="S1"><num value="1">SECTION 1. </num><heading>SHORT TITLE.</heading><content>This Act may be cited as the “<shortTitle role="act">Western Hemisphere Partnership Act of 2023</shortTitle>”.</content></section>
<section identifier="/us/bill/118/s/1325/s2" id="id9B3099B258FB4FD3AA6A0AF3ACE61EED"><num value="2">SEC. 2. </num><heading>UNITED STATES POLICY IN THE WESTERN HEMISPHERE.</heading>
<chapeau class="indent0">It is the policy of the United States to promote economic competitiveness, democratic governance, and security in the Western Hemisphere by—</chapeau>
<paragraph identifier="/us/bill/118/s/1325/s2/1" id="id5e1520f6b8904ac9afec7bf5c18a6510" class="indent1"><num value="1">(1) </num><content>encouraging stronger economic relations, respect for property rights, the rule of law, and enforceable investment rules and labor and environmental standards;</content></paragraph>
<paragraph identifier="/us/bill/118/s/1325/s2/2" id="idbf11d0b36abc4241bb9faf57838bd13b" class="indent1"><num value="2">(2) </num><content>advancing the principles and practices expressed in the Charter of the Organization of American States, the American Declaration on the Rights and Duties of Man, and the Inter-American Democratic Charter; and</content></paragraph>
<paragraph identifier="/us/bill/118/s/1325/s2/3" id="id50e59aa74e5948fc9010a5340baed581" class="indent1"><num value="3">(3) </num><content>enhancing the capacity and technical capabilities of democratic partner nation government institutions, including civilian law enforcement, the judiciary, attorneys general, and security forces.</content></paragraph></section>
<section identifier="/us/bill/118/s/1325/s3" id="id46A84C1F84E04955A371EA37BE93FF14"><num value="3">SEC. 3. </num><heading>PROMOTING SECURITY AND THE RULE OF LAW IN THE WESTERN HEMISPHERE.</heading>
<subsection identifier="/us/bill/118/s/1325/s3/a" id="id62dc8a8e0fb549659875f218420e8b52" class="indent0"><num value="a">(a) </num><heading><inline class="smallCaps">Sense of Congress</inline>.—</heading><content>It is the sense of Congress that the United States should strengthen security cooperation with democratic partner nations in the Western Hemisphere to promote a secure hemisphere and to address the negative impacts of transnational criminal organizations and malign external state actors.</content></subsection>
<subsection identifier="/us/bill/118/s/1325/s3/b" id="id9527b0ce1642495db39b5426cdfbc415" class="indent0"><num value="b">(b) </num><heading><inline class="smallCaps">Collaborative Efforts</inline>.—</heading><chapeau>The Secretary of State, in coordination with the heads of other relevant Federal agencies, should support the improvement of security conditions and the rule of law in the Western Hemisphere through collaborative efforts with democratic partners that—</chapeau>
<paragraph identifier="/us/bill/118/s/1325/s3/b/1" id="idc1766945bced409aabcecb271d1c8f42" class="indent1"><num value="1">(1) </num><content>enhance the institutional capacity and technical capabilities of defense and security institutions in democratic partner nations to conduct national or regional security missions, including through regular bilateral and multilateral engagements, foreign military sales and financing, international military education, and training programs, and other means;</content></paragraph>
<paragraph identifier="/us/bill/118/s/1325/s3/b/2" id="id3F84298555E841569F2D3FC3BDAB2E82" class="indent1"><num value="2">(2) </num><content>provide technical assistance and material support (including, as appropriate, radars, vessels, and communications equipment) to relevant security forces to disrupt, degrade, and dismantle organizations involved in illicit narcotics trafficking, transnational criminal activities, illicit mining, and illegal, unreported, and unregulated fishing, and other illicit activities;</content></paragraph>
<paragraph identifier="/us/bill/118/s/1325/s3/b/3" id="id1bf5d7ca5a5642fc990f814459fdbf8a" class="indent1"><num value="3">(3) </num><chapeau>enhance the institutional capacity and technical capabilities of relevant civilian law enforcement, attorneys general, and judicial institutions to—</chapeau>
<subparagraph identifier="/us/bill/118/s/1325/s3/b/3/A" id="idfcb8822c8c3a4605879b9cc77c6f3d7d" class="indent2"><num value="A">(A) </num><content>strengthen the rule of law and transparent governance; and</content></subparagraph>
<subparagraph identifier="/us/bill/118/s/1325/s3/b/3/B" id="id625bc104e4c84f439883c6b5896a7112" class="indent2"><num value="B">(B) </num><content>improve regional cooperation to disrupt, degrade, and dismantle transnational organized criminal networks and terrorist organizations, including through training, anticorruption initiatives, anti-money laundering programs, and strengthening cyber capabilities and resources;</content></subparagraph></paragraph>
<paragraph identifier="/us/bill/118/s/1325/s3/b/4" id="idf04f3f11fad240ce81e0cd7914cf5320" class="indent1"><num value="4">(4) </num><content>enhance port management and maritime security partnerships and airport management and aviation security partnerships to disrupt, degrade, and dismantle transnational criminal networks and facilitate the legitimate flow of people, goods, and services;</content></paragraph>
<paragraph identifier="/us/bill/118/s/1325/s3/b/5" id="idaedbaba6ad44481e81c978281a383720" class="indent1"><num value="5">(5) </num><content>strengthen cooperation to improve border security across the Western Hemisphere, dismantle human smuggling and trafficking networks, and increase cooperation to demonstrably strengthen migration management systems;</content></paragraph>
<paragraph identifier="/us/bill/118/s/1325/s3/b/6" id="idd954c2825923425692b73dd4fa4d78a8" class="indent1"><num value="6">(6) </num><content>counter the malign influence of state and non-state actors and misinformation and disinformation campaigns;</content></paragraph>
<paragraph identifier="/us/bill/118/s/1325/s3/b/7" id="id89CA7D9DCB874A17BDF4B21EBE81DBA6" class="indent1"><num value="7">(7) </num><content>disrupt illicit domestic and transnational financial networks;</content></paragraph>
<paragraph identifier="/us/bill/118/s/1325/s3/b/8" id="id7c0683a27b7e4e7ca306186f7f1605b9" class="indent1"><num value="8">(8) </num><chapeau>foster mechanisms for cooperation on emergency preparedness and rapid recovery from natural disasters, including by—</chapeau>
<subparagraph identifier="/us/bill/118/s/1325/s3/b/8/A" id="id2987e6b284d046c4a57037562dcb0820" class="indent2"><num value="A">(A) </num><content>supporting regional preparedness, recovery, and emergency management centers to facilitate rapid response to survey and help maintain planning on regional disaster anticipated needs and possible resources; and</content></subparagraph>
<subparagraph identifier="/us/bill/118/s/1325/s3/b/8/B" id="idafd891ba3f3a46ad8fbf215d14254bc5" class="indent2"><num value="B">(B) </num><content>training disaster recovery officials on latest techniques and lessons learned from United States experiences; and</content></subparagraph></paragraph>
<paragraph identifier="/us/bill/118/s/1325/s3/b/9" id="id13e4be3ff50c4a7a8035ad37b6339b45" class="indent1"><num value="9">(9) </num><chapeau>foster regional mechanisms for early warning and response to pandemics in the Western Hemisphere, including through—</chapeau>
<subparagraph identifier="/us/bill/118/s/1325/s3/b/9/A" id="idaf2656ea03c443f38db93d3f6600249c" class="indent2"><num value="A">(A) </num><content>improved cooperation with and research by the United States Centers for Disease Control and Prevention through regional pandemic response centers;</content></subparagraph>
<subparagraph identifier="/us/bill/118/s/1325/s3/b/9/B" id="id73d56c7043bc4350a741dfa77976712a" class="indent2"><num value="B">(B) </num><content>personnel exchanges for technology transfer and skills development; and</content></subparagraph>
<subparagraph identifier="/us/bill/118/s/1325/s3/b/9/C" id="idb7e801077269468fafc2672a93b4ad2a" class="indent2"><num value="C">(C) </num><content>surveying and mapping of health networks to build local health capacity.</content></subparagraph></paragraph></subsection>
<subsection identifier="/us/bill/118/s/1325/s3/c" id="id72a3979523d943b08115ff2558e29c1d" class="indent0"><num value="c">(c) </num><heading><inline class="smallCaps">Limitations on Use of Technologies</inline>.—</heading><content>Operational technologies transferred pursuant to subsection (b) to partner governments for intelligence, defense, or law enforcement purposes shall be used solely for the purposes for which the technology was intended. The United States shall take all necessary steps to ensure that the use of such operational technologies is consistent with United States law, including protections of freedom of expression, freedom of movement, and freedom of association.</content></subsection></section>
<section identifier="/us/bill/118/s/1325/s4" id="id3C0D9D158A314447AB5D77C467DA07D2"><num value="4">SEC. 4. </num><heading>PROMOTING DIGITALIZATION AND CYBERSECURITY IN THE WESTERN HEMISPHERE.</heading>
<subsection identifier="/us/bill/118/s/1325/s4/a" id="id70e890a27f9f48919ca71d3333a0ffe5" class="indent0"><num value="a">(a) </num><heading><inline class="smallCaps">Sense of Congress</inline>.—</heading><content>It is the sense of Congress that the United States should support digitalization and expand cybersecurity cooperation in the Western Hemisphere to promote regional economic prosperity and security. </content></subsection>
<subsection identifier="/us/bill/118/s/1325/s4/b" id="idcc14fc8332d044d29021006f37b1e28a" class="indent0"><num value="b">(b) </num><heading><inline class="smallCaps">Promotion of Digitalization and Cybersecurity</inline>.—</heading><chapeau>The Secretary of State, in coordination with the heads of other relevant Federal agencies, should promote digitalization and cybersecurity in the Western Hemisphere through collaborative efforts with democratic partners that—</chapeau>
<paragraph identifier="/us/bill/118/s/1325/s4/b/1" id="id3deb9c20727245908549d262df99b291" class="indent1"><num value="1">(1) </num><chapeau>promote digital connectivity and facilitate e-commerce by expanding access to information and communications technology (ICT) supply chains that adhere to high-quality security and reliability standards, including— </chapeau>
<subparagraph identifier="/us/bill/118/s/1325/s4/b/1/A" id="id0097cf8366544103827df397b7944796" class="indent2"><num value="A">(A) </num><content>to open market access on a national treatment, nondiscriminatory basis; and</content></subparagraph>
<subparagraph identifier="/us/bill/118/s/1325/s4/b/1/B" id="idf824a81d6b014e99bc09697e509fc3bf" class="indent2"><num value="B">(B) </num><content>to strengthen the cybersecurity and cyber resilience of partner countries;</content></subparagraph></paragraph>
<paragraph identifier="/us/bill/118/s/1325/s4/b/2" id="id7cefdc70e42b43c181757ee98212e146" class="indent1"><num value="2">(2) </num><content>advance the provision of digital government services (e-government) that, to the greatest extent possible, promote transparency, lower business costs, and expand citizens access to public services and public information; and</content></paragraph>
<paragraph identifier="/us/bill/118/s/1325/s4/b/3" id="id431a7a315ac74355bab60db2f0768848" class="indent1"><num value="3">(3) </num><chapeau>develop robust cybersecurity partnerships to—</chapeau>
<subparagraph identifier="/us/bill/118/s/1325/s4/b/3/A" id="id9d07449137d94cb6b7f956d3e39d4678" class="indent2"><num value="A">(A) </num><content>promote the inclusion of components and architectures in information and communications technology (ICT) supply chains from participants in initiatives that adhere to high-quality security and reliability standards; </content></subparagraph>
<subparagraph identifier="/us/bill/118/s/1325/s4/b/3/B" id="id8c1632ee26444855a995a85e800814cf" class="indent2"><num value="B">(B) </num><content>share best practices to mitigate cyber threats to critical infrastructure from ICT architectures by technology providers with close ties to, or that are susceptible to pressure from, governments or security services without reliable legal checks on governmental powers;</content></subparagraph>
<subparagraph identifier="/us/bill/118/s/1325/s4/b/3/C" id="idec4944776b074e5fb071b7111d2f1759" class="indent2"><num value="C">(C) </num><content>effectively respond to cybersecurity threats, including state-sponsored threats; and </content></subparagraph>
<subparagraph identifier="/us/bill/118/s/1325/s4/b/3/D" id="idc654c0f75a1346cc8a2d2f98f9d81a7d" class="indent2"><num value="D">(D) </num><content>to strengthen resilience against cyberattacks and cybercrime. </content></subparagraph></paragraph></subsection></section>
<section identifier="/us/bill/118/s/1325/s5" id="id64B9A06CABEE4A4FAB313582E1D907FF"><num value="5">SEC. 5. </num><heading>PROMOTING ECONOMIC AND COMMERCIAL PARTNERSHIPS IN THE WESTERN HEMISPHERE.</heading>
<subsection identifier="/us/bill/118/s/1325/s5/a" id="id1382d6c16d764f9d80173009c39b998c" class="indent0"><num value="a">(a) </num><heading><inline class="smallCaps">Sense of Congress</inline>.—</heading><content>It is the sense of Congress that the United States should enhance economic and commercial ties with democratic partners to promote prosperity in the Western Hemisphere by modernizing and strengthening trade capacity-building and trade facilitation initiatives, encouraging market-based economic reforms, strengthening labor and environmental standards, and encouraging transparency and adherence to the rule of law in investment dealings. </content></subsection>
<subsection identifier="/us/bill/118/s/1325/s5/b" id="idf9a5192902324c0081eb47ae710d87fe" class="indent0"><num value="b">(b) </num><heading><inline class="smallCaps">In General</inline>.—</heading><chapeau>The Secretary of State, in coordination with the United States Trade Representative, the Chief Executive Officer of the Development Finance Corporation, and the heads of other relevant Federal agencies, should support the improvement of economic conditions in the Western Hemisphere through collaborative efforts with democratic partners that—</chapeau>
<paragraph identifier="/us/bill/118/s/1325/s5/b/1" id="id9fc3529eece14eafbf71b8bd39978a9f" class="indent1"><num value="1">(1) </num><chapeau>facilitate a more open, transparent, and competitive environment for United States businesses and promote robust and comprehensive trade capacity-building and trade facilitation by—</chapeau>
<subparagraph identifier="/us/bill/118/s/1325/s5/b/1/A" id="idcd35620455f9441c9d243fa02d15b58b" class="indent2"><num value="A">(A) </num><content>reducing trade and nontariff barriers between the countries in the region, establishing a mechanism for pursuing Mutual Recognition Agreements and Formalized Regulatory Cooperation Agreements in priority sectors of the economy;</content></subparagraph>
<subparagraph identifier="/us/bill/118/s/1325/s5/b/1/B" id="idf120355aa9494a358feb591df86c3993" class="indent2"><num value="B">(B) </num><content>establishing a forum for discussing and evaluating technical and other assistance needs to help establish streamlined “single window” processes to facilitate movement of goods and common customs arrangements and procedures to lower costs of goods in transit and speed to destination;</content></subparagraph>
<subparagraph identifier="/us/bill/118/s/1325/s5/b/1/C" id="id0549b2faab6847f6b9450767b6e6ac1d" class="indent2"><num value="C">(C) </num><content>building relationships and exchanges between relevant regulatory bodies in the United States and democratic partners in the Western Hemisphere to promote best practices and transparency in rulemaking, implementation, and enforcement, and provide training and assistance to help improve supply chain management in the Western Hemisphere;</content></subparagraph>
<subparagraph identifier="/us/bill/118/s/1325/s5/b/1/D" id="id49cbf5b1866244bcb793b7c7c0caae04" class="indent2"><num value="D">(D) </num><content>establishing regional fora for identifying, raising, and addressing supply chain management issues, including infrastructure needs and strengthening of investment rules and regulatory frameworks; </content></subparagraph>
<subparagraph identifier="/us/bill/118/s/1325/s5/b/1/E" id="idc32a2d6113cf45e98403756d6562ade1" class="indent2"><num value="E">(E) </num><content>establishing a dedicated program of trade missions and reverse trade missions to increase commercial contacts and ties between the United States and Western Hemisphere partner countries; and</content></subparagraph>
<subparagraph identifier="/us/bill/118/s/1325/s5/b/1/F" id="idd45244e4fe504f2387ab115e0cf8d2c9" class="indent2"><num value="F">(F) </num><content>strengthening labor and environmental standards in the region;</content></subparagraph></paragraph>
<paragraph identifier="/us/bill/118/s/1325/s5/b/2" id="ida34aeb7b53564434a4463a7fb80e802e" class="indent1"><num value="2">(2) </num><content>establish frameworks or mechanisms to review and address the long-term financial sustainability and national security implications of foreign investments in strategic sectors or services; </content></paragraph>
<paragraph identifier="/us/bill/118/s/1325/s5/b/3" id="idD1F1E88F2DAC4AB5B373F5F2668549B3" class="indent1"><num value="3">(3) </num><content>establish competitive and transparent infrastructure project selection and procurement processes that promote transparency, open competition, financial sustainability, and robust adherence to global standards and norms; and</content></paragraph>
<paragraph identifier="/us/bill/118/s/1325/s5/b/4" id="id2c79d2372ee74fff95a7bd21b8ed6215" class="indent1"><num value="4">(4) </num><chapeau>advance robust and comprehensive energy production and integration, including through a more open, transparent, and competitive environment for United States companies competing in the Western Hemisphere, including by—</chapeau>
<subparagraph identifier="/us/bill/118/s/1325/s5/b/4/A" id="idB59FCCD1691F4462813D6F86444E364B" class="indent2"><num value="A">(A) </num><content>facilitating further development of integrated regional energy markets;</content></subparagraph>
<subparagraph identifier="/us/bill/118/s/1325/s5/b/4/B" id="id96fe4757e7d343d183ff13483bba7934" class="indent2"><num value="B">(B) </num><content>improving management of grids, including technical capability to ensure the functionality, safe and responsible management, and quality of service of electricity providers, carriers, and management and distribution systems;</content></subparagraph>
<subparagraph identifier="/us/bill/118/s/1325/s5/b/4/C" id="id7b7fd113b954407ca0906a02f9c548e1" class="indent2"><num value="C">(C) </num><content>facilitating private sector-led development of reliable and affordable power generation capacity;</content></subparagraph>
<subparagraph identifier="/us/bill/118/s/1325/s5/b/4/D" id="id4FA11F77CAF54894ACC65D64DDF8EAB5" class="indent2"><num value="D">(D) </num><chapeau>establishing a process for surveying grid capacity and management focused on identifying electricity service efficiencies and establishing cooperative mechanisms for providing technical assistance for—</chapeau>
<clause identifier="/us/bill/118/s/1325/s5/b/4/D/i" id="idf7063965255b44999cc0fc5a6b1c67c8" class="indent3"><num value="i">(i) </num><content>grid management, power pricing, and tariff issues;</content></clause>
<clause identifier="/us/bill/118/s/1325/s5/b/4/D/ii" id="id60586e388a4d4109bb4c585bd9e83393" class="indent3"><num value="ii">(ii) </num><content>establishing and maintaining appropriate regulatory best practices; and</content></clause>
<clause identifier="/us/bill/118/s/1325/s5/b/4/D/iii" id="idc7f7c940a1ee496881ffa6da9b1f8e1b" class="indent3"><num value="iii">(iii) </num><content>proposals to establish regional power grids for the purpose of promoting the sale of excess supply to consumers across borders;</content></clause></subparagraph>
<subparagraph identifier="/us/bill/118/s/1325/s5/b/4/E" id="idc3426a117af94dd38ec28d1f22dbeb67" class="indent2"><num value="E">(E) </num><content>assessing the viability and effectiveness of decentralizing power production and transmission and building micro-grid power networks to improve, when feasible, access to electricity, particularly in rural and underserved communities where centralized power grid connections may not be feasible in the short to medium term; and </content></subparagraph>
<subparagraph identifier="/us/bill/118/s/1325/s5/b/4/F" id="id0212210d4cc344eaab096116ab8ada67" class="indent2"><num value="F">(F) </num><content>exploring opportunities to partner with the private sector and multilateral institutions, such as the World Bank and the Inter-American Development Bank, to promote universal access to reliable and affordable electricity in the Western Hemisphere.</content></subparagraph></paragraph></subsection></section>
<section identifier="/us/bill/118/s/1325/s6" id="id9915d0563586435585f22884f35214b7"><num value="6">SEC. 6. </num><heading>PROMOTING TRANSPARENCY AND DEMOCRATIC GOVERNANCE IN THE WESTERN HEMISPHERE.</heading>
<subsection identifier="/us/bill/118/s/1325/s6/a" id="id0b25659d81444b28aad8d4ac9702eab5" class="indent0"><num value="a">(a) </num><heading><inline class="smallCaps">Sense of Congress</inline>.—</heading><content>It is the sense of Congress that the United States should support efforts to strengthen the capacity of democratic institutions and processes in the Western Hemisphere to promote a more transparent, democratic, and prosperous region.</content></subsection>
<subsection identifier="/us/bill/118/s/1325/s6/b" id="id0b29bf98811c441e86dbaa6823ed58b5" class="indent0"><num value="b">(b) </num><heading><inline class="smallCaps">In General</inline>.—</heading><chapeau>The Secretary of State, in coordination with the Administrator of the United States Agency for International Development and heads of other relevant Federal agencies, should support transparent, accountable, and democratic governance in the Western Hemisphere through collaborative efforts with democratic partners that— </chapeau>
<paragraph identifier="/us/bill/118/s/1325/s6/b/1" id="idf48dc339db8d4601b94fbd70c4d3c9ec" class="indent1"><num value="1">(1) </num><content>strengthen the capacity of national electoral institutions to ensure free, fair, and transparent electoral processes, including through pre-election assessment missions, technical assistance, and independent local and international election monitoring and observation missions;</content></paragraph>
<paragraph identifier="/us/bill/118/s/1325/s6/b/2" id="id99a783fc156646af8c63e0f8404e8271" class="indent1"><num value="2">(2) </num><content>enhance the capabilities of democratically elected national legislatures, parliamentary bodies, and autonomous regulatory institutions to conduct oversight;</content></paragraph>
<paragraph identifier="/us/bill/118/s/1325/s6/b/3" id="id47675b64bcc446f9afe6fbf1a7bf810e" class="indent1"><num value="3">(3) </num><content>strengthen the capacity of subnational government institutions to govern in a transparent, accountable, and democratic manner, including through training and technical assistance;</content></paragraph>
<paragraph identifier="/us/bill/118/s/1325/s6/b/4" id="id330cc51fb9814b43a09538c021cb0a16" class="indent1"><num value="4">(4) </num><content>combat corruption at local and national levels, including through trainings, cooperation agreements, and bilateral or multilateral anticorruption mechanisms that strengthen attorneys general and prosecutors offices; and</content></paragraph>
<paragraph identifier="/us/bill/118/s/1325/s6/b/5" id="id4ca670f53e1c454cbe6fe83856e40450" class="indent1"><num value="5">(5) </num><content>strengthen the capacity of civil society to conduct oversight of government institutions, build the capacity of independent professional journalism, facilitate substantive dialogue with government and the private sector to generate issue-based policies, and mobilize local resources to carry out such activities. </content></paragraph></subsection></section>
<section role="definitions" identifier="/us/bill/118/s/1325/s7" id="id89dd023cdc544bda85a34ab57f016fbf"><num value="7">SEC. 7. </num><heading>WESTERN HEMISPHERE DEFINED.</heading><content>In this Act, the term “<term>Western Hemisphere</term>” does not include Cuba, Nicaragua, or Venezuela, except for purposes of section 6. </content></section>
</main></component>
<component origin="#SSFR00" changed="added">
<main>
<section identifier="/us/bill/118/s/1325/s1" id="id8ee57370-ed0b-49e6-bd89-4ccd901a99eb"><num value="1">SECTION 1. </num><heading>SHORT TITLE.</heading><content>This Act may be cited as the “<shortTitle role="act">Western Hemisphere Partnership Act of 2023</shortTitle>”.</content></section>
<section identifier="/us/bill/118/s/1325/s2" id="id51d87fb3-88b1-43cb-a59a-1b88b8407b1a"><num value="2">SEC. 2. </num><heading>UNITED STATES POLICY IN THE WESTERN HEMISPHERE.</heading>
<chapeau class="indent0">It is the policy of the United States to promote economic competitiveness, democratic governance, and security in the Western Hemisphere by—</chapeau>
<paragraph identifier="/us/bill/118/s/1325/s2/1" id="id4ad250d2-ff3d-46b8-80bd-05d0a3b2648c" class="indent1"><num value="1">(1) </num><content>encouraging stronger economic relations, respect for property rights, the rule of law, and enforceable investment rules and labor and environmental standards;</content></paragraph>
<paragraph identifier="/us/bill/118/s/1325/s2/2" id="ide7eedb24-dabf-4f9d-a94d-5c00e6751c46" class="indent1"><num value="2">(2) </num><content>advancing the principles and practices expressed in the Charter of the Organization of American States, the American Declaration on the Rights and Duties of Man, and the Inter-American Democratic Charter; and</content></paragraph>
<paragraph identifier="/us/bill/118/s/1325/s2/3" id="idaba3b1d6-f37b-4de9-b7df-8c0376dce2ec" class="indent1"><num value="3">(3) </num><content>enhancing the capacity and technical capabilities of democratic partner nation government institutions, including civilian law enforcement, the judiciary, attorneys general, and security forces.</content></paragraph></section>
<section identifier="/us/bill/118/s/1325/s3" id="idc1b6d251-f241-4d85-a035-2c332f4c8f01"><num value="3">SEC. 3. </num><heading>PROMOTING SECURITY AND THE RULE OF LAW IN THE WESTERN HEMISPHERE.</heading>
<subsection identifier="/us/bill/118/s/1325/s3/a" id="id7f1c4070-e22f-4e52-8adf-bc4d6b68b035" class="indent0"><num value="a">(a) </num><heading><inline class="smallCaps">Sense of Congress</inline>.—</heading><content>It is the sense of Congress that the United States should strengthen security cooperation with democratic partner nations in the Western Hemisphere to promote a secure hemisphere and to address the negative impacts of transnational criminal organizations and malign external state actors.</content></subsection>
<subsection identifier="/us/bill/118/s/1325/s3/b" id="id5995d211-1f95-4276-8d53-24b96445f42e" class="indent0"><num value="b">(b) </num><heading><inline class="smallCaps">Collaborative Efforts</inline>.—</heading><chapeau>The Secretary of State, in coordination with the heads of other relevant Federal agencies, should support the improvement of security conditions and the rule of law in the Western Hemisphere through collaborative efforts with democratic partners that—</chapeau>
<paragraph identifier="/us/bill/118/s/1325/s3/b/1" id="id36d739b4-50c4-41eb-ba1f-d897e75de397" class="indent1"><num value="1">(1) </num><content>enhance the institutional capacity and technical capabilities of defense and security institutions in democratic partner nations to conduct national or regional security missions, including through regular bilateral and multilateral engagements, foreign military sales and financing, international military education and training programs, expanding the National Guard State Partnership Programs, and other means;</content></paragraph>
<paragraph identifier="/us/bill/118/s/1325/s3/b/2" id="id9b2a2734-7f33-4672-9a24-4f2b819510a1" class="indent1"><num value="2">(2) </num><content>provide technical assistance and material support (including, as appropriate, radars, vessels, and communications equipment) to relevant security forces to disrupt, degrade, and dismantle organizations involved in the illicit trafficking of narcotics and precursor chemicals, transnational criminal activities, illicit mining, and illegal, unreported, and unregulated fishing, and other illicit activities;</content></paragraph>
<paragraph identifier="/us/bill/118/s/1325/s3/b/3" id="id5d61c6c3-45dc-4b93-8cc1-e47f481b796f" class="indent1"><num value="3">(3) </num><chapeau>enhance the institutional capacity, legitimacy, and technical capabilities of relevant civilian law enforcement, attorneys general, and judicial institutions to—</chapeau>
<subparagraph identifier="/us/bill/118/s/1325/s3/b/3/A" id="id8b388b20-449f-4c1e-9ffd-ef8a53d521b3" class="indent2"><num value="A">(A) </num><content>strengthen the rule of law and transparent governance; </content></subparagraph>
<subparagraph identifier="/us/bill/118/s/1325/s3/b/3/B" id="id181348057cd24ea3975ad385370074a1" class="indent2"><num value="B">(B) </num><content>combat corruption and kleptocracy in the region; and</content></subparagraph>
<subparagraph identifier="/us/bill/118/s/1325/s3/b/3/C" id="iddc1d1c80-71ec-4ba7-b5b7-10e3b544f83d" class="indent2"><num value="C">(C) </num><content>improve regional cooperation to disrupt, degrade, and dismantle transnational organized criminal networks and terrorist organizations, including through training, anticorruption initiatives, anti-money laundering programs, and strengthening cyber capabilities and resources;</content></subparagraph></paragraph>
<paragraph identifier="/us/bill/118/s/1325/s3/b/4" id="id88f85e11-4e5e-45d9-8256-1a628efa6040" class="indent1"><num value="4">(4) </num><content>enhance port management and maritime security partnerships and airport management and aviation security partnerships to disrupt, degrade, and dismantle transnational criminal networks and facilitate the legitimate flow of people, goods, and services;</content></paragraph>
<paragraph identifier="/us/bill/118/s/1325/s3/b/5" id="ide7236fe2-9cda-487c-a722-71459d739231" class="indent1"><num value="5">(5) </num><content>strengthen cooperation to improve border security across the Western Hemisphere, dismantle human smuggling and trafficking networks, and increase cooperation to demonstrably strengthen migration management systems;</content></paragraph>
<paragraph identifier="/us/bill/118/s/1325/s3/b/6" id="idc03ed2d5-749d-41d7-887b-f4652866f6ec" class="indent1"><num value="6">(6) </num><content>counter the malign influence of state and non-state actors and disinformation campaigns;</content></paragraph>
<paragraph identifier="/us/bill/118/s/1325/s3/b/7" id="id828f005c-0857-4b4f-b403-6727a1e24301" class="indent1"><num value="7">(7) </num><content>disrupt illicit domestic and transnational financial networks;</content></paragraph>
<paragraph identifier="/us/bill/118/s/1325/s3/b/8" id="idae39280b-172d-4871-9cd7-efe1681325b2" class="indent1"><num value="8">(8) </num><chapeau>foster mechanisms for cooperation on emergency preparedness and rapid recovery from natural disasters, including by—</chapeau>
<subparagraph identifier="/us/bill/118/s/1325/s3/b/8/A" id="id59a3d492-63ef-4329-a91d-1ba89526f219" class="indent2"><num value="A">(A) </num><content>supporting regional preparedness, recovery, and emergency management centers to facilitate rapid response to survey and help maintain planning on regional disaster anticipated needs and possible resources; </content></subparagraph>
<subparagraph identifier="/us/bill/118/s/1325/s3/b/8/B" id="id7e540f54-f86e-4a62-9c69-7ea8874c6530" class="indent2"><num value="B">(B) </num><content>training disaster recovery officials on latest techniques and lessons learned from United States experiences; </content></subparagraph>
<subparagraph identifier="/us/bill/118/s/1325/s3/b/8/C" id="id9df7a1062cd7409bbc8d7b6ba6840f21" class="indent2"><num value="C">(C) </num><content>making available, preparing, and transferring on-hand nonlethal supplies, and providing training on the use of such supplies, for humanitarian or health purposes to respond to unforeseen emergencies; and</content></subparagraph>
<subparagraph identifier="/us/bill/118/s/1325/s3/b/8/D" id="id3fe6f3a18f8843a093a79133a57d8345" class="indent2"><num value="D">(D) </num><content>conducting medical support operations and medical humanitarian missions, such as hospital ship deployments and base-operating services, to the extent required by the operation; </content></subparagraph></paragraph>
<paragraph identifier="/us/bill/118/s/1325/s3/b/9" id="idd66ff48d-dbee-4e4c-83f8-8edad0bb1ad6" class="indent1"><num value="9">(9) </num><chapeau>foster regional mechanisms for early warning and response to pandemics in the Western Hemisphere, including through—</chapeau>
<subparagraph identifier="/us/bill/118/s/1325/s3/b/9/A" id="idc9ac3bc7-9816-44a5-8fe2-dcfa2153bb51" class="indent2"><num value="A">(A) </num><content>improved cooperation with and research by the United States Centers for Disease Control and Prevention through regional pandemic response centers;</content></subparagraph>
<subparagraph identifier="/us/bill/118/s/1325/s3/b/9/B" id="id90a54824-686e-465b-9501-6ebc86124cdb" class="indent2"><num value="B">(B) </num><content>personnel exchanges for technology transfer and skills development; and</content></subparagraph>
<subparagraph identifier="/us/bill/118/s/1325/s3/b/9/C" id="id78dd5b9c-b98c-4ec3-ae81-ec4f645c83b7" class="indent2"><num value="C">(C) </num><content>surveying and mapping of health networks to build local health capacity; </content></subparagraph></paragraph>
<paragraph identifier="/us/bill/118/s/1325/s3/b/10" id="id77e45c9d740647aaa3d98dd2ed90ad93" class="indent1"><num value="10">(10) </num><content>promote the meaningful participation of women across all political processes, including conflict prevention and conflict resolution and post-conflict relief and recovery efforts; and </content></paragraph>
<paragraph identifier="/us/bill/118/s/1325/s3/b/11" id="id1b83f2dd4bf44d71adc5640e50d1a9ab" class="indent1"><num value="11">(11) </num><content>hold accountable actors that violate political and civil rights.</content></paragraph></subsection>
<subsection identifier="/us/bill/118/s/1325/s3/c" id="idefc0f1a2-f342-4f53-8510-fafe747237dc" class="indent0"><num value="c">(c) </num><heading><inline class="smallCaps">Limitations on Use of Technologies</inline>.—</heading><content>Operational technologies transferred pursuant to subsection (b) to partner governments for intelligence, defense, or law enforcement purposes shall be used solely for the purposes for which the technology was intended. The United States shall take all necessary steps to ensure that the use of such operational technologies is consistent with United States law, including protections of freedom of expression, freedom of movement, and freedom of association.</content></subsection>
<subsection identifier="/us/bill/118/s/1325/s3/d" id="id1bd88708b97a492fbc10835deb303a69" class="indent0"><num value="d">(d) </num><heading><inline class="smallCaps">Strategy</inline>.—</heading>
<paragraph identifier="/us/bill/118/s/1325/s3/d/1" id="id6e7e11741a794778b6a2b68a8d3c2de5" class="indent1"><num value="1">(1) </num><heading><inline class="smallCaps">In general</inline>.—</heading><content>Not later than 180 days after the date of the enactment of this Act, the Secretary of State, in coordination with the heads of other relevant Federal agencies, shall submit to the Committee on Foreign Relations of the Senate and the Committee on Foreign Affairs of the House of Representatives a 5-year strategy to promote security and the rule of law in the Western Hemisphere in accordance to this Section.</content></paragraph>
<paragraph identifier="/us/bill/118/s/1325/s3/d/2" id="id84248dc7214d4ac199c711e4ac43ed3c" class="indent1"><num value="2">(2) </num><heading><inline class="smallCaps">Elements</inline>.—</heading><chapeau>The strategy required under paragraph (1) shall include the following elements:</chapeau>
<subparagraph identifier="/us/bill/118/s/1325/s3/d/2/A" id="id075e2a90cd23432facff112759e2cf88" class="indent2"><num value="A">(A) </num><content>A detailed assessment of the resources required to carry out such collaborative efforts.</content></subparagraph>
<subparagraph identifier="/us/bill/118/s/1325/s3/d/2/B" id="id94e8dc9b76c34c55bc4de2aa261ee0a9" class="indent2"><num value="B">(B) </num><content>Annual benchmarks to track progress and obstacles in undertaking such collaborative efforts.</content></subparagraph>
<subparagraph identifier="/us/bill/118/s/1325/s3/d/2/C" id="ida4071160b65545368054731c0d1a0645" class="indent2"><num value="C">(C) </num><content>A public diplomacy component to engage the people of the Western Hemisphere with the purpose of demonstrating that the security of their countries is enhanced to a greater extent through alignment with the United States and democratic values rather than with authoritarian countries such as the Peoples Republic of China, the Russian Federation, and the Islamic Republic of Iran.</content></subparagraph></paragraph>
<paragraph identifier="/us/bill/118/s/1325/s3/d/3" id="id3a5c4255db494fa8bd591ee0d468eca7" class="indent1"><num value="3">(3) </num><heading><inline class="smallCaps">Briefing</inline>.—</heading><content>Not later than 1 year after submission of the strategy required under paragraph (1), and annually thereafter, the Secretary of State shall provide to the Committee on Foreign Relations of the Senate and the Committee on Foreign Affairs of the House of Representatives a briefing on the implementation of the strategy. </content></paragraph></subsection></section>
<section identifier="/us/bill/118/s/1325/s4" id="idc8147258-9166-4272-9ba2-9176db10210a"><num value="4">SEC. 4. </num><heading>PROMOTING DIGITALIZATION AND CYBERSECURITY IN THE WESTERN HEMISPHERE.</heading>
<subsection identifier="/us/bill/118/s/1325/s4/a" id="idd08d8008-3db3-4784-86c5-251731f2644d" class="indent0"><num value="a">(a) </num><heading><inline class="smallCaps">Sense of Congress</inline>.—</heading><content>It is the sense of Congress that the United States should support digitalization and expand cybersecurity cooperation in the Western Hemisphere to promote regional economic prosperity and security. </content></subsection>
<subsection identifier="/us/bill/118/s/1325/s4/b" id="id4fadfb8b-96cf-4480-bbdb-af1ed63ce0b6" class="indent0"><num value="b">(b) </num><heading><inline class="smallCaps">Promotion of Digitalization and Cybersecurity</inline>.—</heading><chapeau>The Secretary of State, in coordination with the heads of other relevant Federal agencies, should promote digitalization and cybersecurity in the Western Hemisphere through collaborative efforts with democratic partners that—</chapeau>
<paragraph identifier="/us/bill/118/s/1325/s4/b/1" id="id84916970-9b68-42c2-83d0-3ac48c6d520b" class="indent1"><num value="1">(1) </num><chapeau>promote digital connectivity and facilitate e-commerce by expanding access to information and communications technology (ICT) supply chains that adhere to high-quality security and reliability standards, including— </chapeau>
<subparagraph identifier="/us/bill/118/s/1325/s4/b/1/A" id="idf5c0c4b2-7370-4b7a-8566-3565932e6de1" class="indent2"><num value="A">(A) </num><content>to open market access on a national treatment, nondiscriminatory basis; and</content></subparagraph>
<subparagraph identifier="/us/bill/118/s/1325/s4/b/1/B" id="id0700f78d-b6f7-422a-9d99-6f90ee1a9f55" class="indent2"><num value="B">(B) </num><content>to strengthen the cybersecurity and cyber resilience of partner countries;</content></subparagraph></paragraph>
<paragraph identifier="/us/bill/118/s/1325/s4/b/2" id="id21aee943-a79c-4a67-8daa-87c3b95d78d7" class="indent1"><num value="2">(2) </num><content>advance the provision of digital government services (e-government) that, to the greatest extent possible, promote transparency, lower business costs, and expand citizens access to public services and public information; and</content></paragraph>
<paragraph identifier="/us/bill/118/s/1325/s4/b/3" id="idd2c00869-3cb0-4218-bcc4-6a9b1a2a1f9b" class="indent1"><num value="3">(3) </num><chapeau>develop robust cybersecurity partnerships to—</chapeau>
<subparagraph identifier="/us/bill/118/s/1325/s4/b/3/A" id="id96e07f74-f0c7-44c7-94fb-faf583821c12" class="indent2"><num value="A">(A) </num><content>promote the inclusion of components and architectures in information and communications technology (ICT) supply chains from participants in initiatives that adhere to high-quality security and reliability standards; </content></subparagraph>
<subparagraph identifier="/us/bill/118/s/1325/s4/b/3/B" id="id993d5b71-3a33-408a-b8fe-e67cdd13899f" class="indent2"><num value="B">(B) </num><content>share best practices to mitigate cyber threats to critical infrastructure from ICT architectures by technology providers that supply equipment and services covered under section 2 of the Secure and Trusted Communications Networks Act of 2019 (<ref href="usc/47/1601"><ref href="/us/usc/t47/s1601">47 U.S.C. 1601</ref></ref>); </content></subparagraph>
<subparagraph identifier="/us/bill/118/s/1325/s4/b/3/C" id="id0f840002-9f1c-48ba-8502-2939e76d3042" class="indent2"><num value="C">(C) </num><content>effectively respond to cybersecurity threats, including state-sponsored threats; and </content></subparagraph>
<subparagraph identifier="/us/bill/118/s/1325/s4/b/3/D" id="id5a9eb819-59e9-4c0b-966b-bce52192e474" class="indent2"><num value="D">(D) </num><content>to strengthen resilience against cyberattacks and cybercrime. </content></subparagraph></paragraph></subsection></section>
<section identifier="/us/bill/118/s/1325/s5" id="id5ffa84a3-481e-40c8-b0c9-4eccf2e4f5c7"><num value="5">SEC. 5. </num><heading>PROMOTING ECONOMIC AND COMMERCIAL PARTNERSHIPS IN THE WESTERN HEMISPHERE.</heading>
<subsection identifier="/us/bill/118/s/1325/s5/a" id="idd23de9b4-0a31-44a0-865c-1f417837a433" class="indent0"><num value="a">(a) </num><heading><inline class="smallCaps">Sense of Congress</inline>.—</heading><content>It is the sense of Congress that the United States should enhance economic and commercial ties with democratic partners to promote prosperity in the Western Hemisphere by modernizing and strengthening trade capacity-building and trade facilitation initiatives, encouraging market-based economic reforms that enable inclusive economic growth, strengthening labor and environmental standards, addressing economic disparities of women, and encouraging transparency and adherence to the rule of law in investment dealings. </content></subsection>
<subsection identifier="/us/bill/118/s/1325/s5/b" id="id9e75b667-a022-431c-b466-b35de8f80e52" class="indent0"><num value="b">(b) </num><heading><inline class="smallCaps">In General</inline>.—</heading><chapeau>The Secretary of State, in coordination with the United States Trade Representative, the Chief Executive Officer of the Development Finance Corporation, and the heads of other relevant Federal agencies, should support the improvement of economic conditions in the Western Hemisphere through collaborative efforts with democratic partners that—</chapeau>
<paragraph identifier="/us/bill/118/s/1325/s5/b/1" id="idb883c986-fa8d-4782-8e17-985b15a5214d" class="indent1"><num value="1">(1) </num><chapeau>facilitate a more open, transparent, and competitive environment for United States businesses and promote robust and comprehensive trade capacity-building and trade facilitation by—</chapeau>
<subparagraph identifier="/us/bill/118/s/1325/s5/b/1/A" id="id0e611600-ed38-41ae-a0b8-0a58b8e6bd75" class="indent2"><num value="A">(A) </num><content>reducing trade and nontariff barriers between the countries in the region, establishing a mechanism for pursuing Mutual Recognition Agreements and Formalized Regulatory Cooperation Agreements in priority sectors of the economy;</content></subparagraph>
<subparagraph identifier="/us/bill/118/s/1325/s5/b/1/B" id="id148fd6e9-ab46-448a-b75d-b943b4fc7a29" class="indent2"><num value="B">(B) </num><content>establishing a forum for discussing and evaluating technical and other assistance needs to help establish streamlined “single window” processes to facilitate movement of goods and common customs arrangements and procedures to lower costs of goods in transit and speed to destination;</content></subparagraph>
<subparagraph identifier="/us/bill/118/s/1325/s5/b/1/C" id="id8e016a41-d8ce-40b0-bbe8-9611b2c50bff" class="indent2"><num value="C">(C) </num><content>building relationships and exchanges between relevant regulatory bodies in the United States and democratic partners in the Western Hemisphere to promote best practices and transparency in rulemaking, implementation, and enforcement, and provide training and assistance to help improve supply chain management in the Western Hemisphere;</content></subparagraph>
<subparagraph identifier="/us/bill/118/s/1325/s5/b/1/D" id="idef239191-059d-468f-85fb-00d9cfece8af" class="indent2"><num value="D">(D) </num><content>establishing regional fora for identifying, raising, and addressing supply chain management issues, including infrastructure needs and strengthening of investment rules and regulatory frameworks; </content></subparagraph>
<subparagraph identifier="/us/bill/118/s/1325/s5/b/1/E" id="ideeb93fc5-a8e4-4562-80ec-54e1a83853fa" class="indent2"><num value="E">(E) </num><content>establishing a dedicated program of trade missions and reverse trade missions to increase commercial contacts and ties between the United States and Western Hemisphere partner countries; and</content></subparagraph>
<subparagraph identifier="/us/bill/118/s/1325/s5/b/1/F" id="id895db7f7-ca50-4db6-9d48-952c158eec66" class="indent2"><num value="F">(F) </num><content>strengthening labor and environmental standards in the region;</content></subparagraph></paragraph>
<paragraph identifier="/us/bill/118/s/1325/s5/b/2" id="id1748182e-2303-4c3d-86de-39983f435daf" class="indent1"><num value="2">(2) </num><content>establish frameworks or mechanisms to review and address the long-term financial sustainability and national security implications of foreign investments in strategic sectors or services; </content></paragraph>
<paragraph identifier="/us/bill/118/s/1325/s5/b/3" id="idc19ac1f8-bd40-423d-bb13-a79036c62a1e" class="indent1"><num value="3">(3) </num><content>establish competitive and transparent infrastructure project selection and procurement processes that promote transparency, open competition, financial sustainability, and robust adherence to global standards and norms; and</content></paragraph>
<paragraph identifier="/us/bill/118/s/1325/s5/b/4" id="id0d94d11f-e145-43a1-8e16-685c8dcd92c1" class="indent1"><num value="4">(4) </num><chapeau>advance robust and comprehensive energy production and integration, including through a more open, transparent, and competitive environment for United States companies competing in the Western Hemisphere, including by—</chapeau>
<subparagraph identifier="/us/bill/118/s/1325/s5/b/4/A" id="id427d0802-dbb6-4b67-9c90-a833c4d95245" class="indent2"><num value="A">(A) </num><content>facilitating further development of integrated regional energy markets;</content></subparagraph>
<subparagraph identifier="/us/bill/118/s/1325/s5/b/4/B" id="id704cd5b4-490b-45f0-8a6a-ef297c7d3127" class="indent2"><num value="B">(B) </num><content>improving management of grids, including technical capability to ensure the functionality, safe and responsible management, and quality of service of electricity providers, carriers, and management and distribution systems;</content></subparagraph>
<subparagraph identifier="/us/bill/118/s/1325/s5/b/4/C" id="ide0d65cd6-c03c-42f5-aab9-febe8f31a528" class="indent2"><num value="C">(C) </num><content>facilitating private sector-led development of reliable and affordable power generation capacity;</content></subparagraph>
<subparagraph identifier="/us/bill/118/s/1325/s5/b/4/D" id="id988c616b-d4ff-49cf-bb27-42ba52b32f8d" class="indent2"><num value="D">(D) </num><chapeau>establishing a process for surveying grid capacity and management focused on identifying electricity service efficiencies and establishing cooperative mechanisms for providing technical assistance for—</chapeau>
<clause identifier="/us/bill/118/s/1325/s5/b/4/D/i" id="ida863d23f-a499-4b7b-a779-6ad0868489e3" class="indent3"><num value="i">(i) </num><content>grid management, power pricing, and tariff issues;</content></clause>
<clause identifier="/us/bill/118/s/1325/s5/b/4/D/ii" id="ida1fbf185-38ef-439c-b122-7cc5036bcbe5" class="indent3"><num value="ii">(ii) </num><content>establishing and maintaining appropriate regulatory best practices; and</content></clause>
<clause identifier="/us/bill/118/s/1325/s5/b/4/D/iii" id="idc89ae4da-b3c7-46b5-b227-954440c06323" class="indent3"><num value="iii">(iii) </num><content>proposals to establish regional power grids for the purpose of promoting the sale of excess supply to consumers across borders;</content></clause></subparagraph>
<subparagraph identifier="/us/bill/118/s/1325/s5/b/4/E" id="ide3ddb43b-bb08-4052-8d8f-91a8475a6e09" class="indent2"><num value="E">(E) </num><content>assessing the viability and effectiveness of decentralizing power production and transmission and building micro-grid power networks to improve, when feasible, access to electricity, particularly in rural and underserved communities where centralized power grid connections may not be feasible in the short to medium term; and </content></subparagraph>
<subparagraph identifier="/us/bill/118/s/1325/s5/b/4/F" id="id333bc831-eba7-477e-a5cc-e779bcfe5f8a" class="indent2"><num value="F">(F) </num><content>exploring opportunities to partner with the private sector and multilateral institutions, such as the World Bank and the Inter-American Development Bank, to promote universal access to reliable and affordable electricity in the Western Hemisphere.</content></subparagraph></paragraph></subsection></section>
<section identifier="/us/bill/118/s/1325/s6" id="id6d2a7e95-2bac-402f-8f78-b0c8d30fb26e"><num value="6">SEC. 6. </num><heading>PROMOTING TRANSPARENCY AND DEMOCRATIC GOVERNANCE IN THE WESTERN HEMISPHERE.</heading>
<subsection identifier="/us/bill/118/s/1325/s6/a" id="id1fa68dc4-87d8-4e8e-afe2-74fcc4bc4bec" class="indent0"><num value="a">(a) </num><heading><inline class="smallCaps">Sense of Congress</inline>.—</heading><content>It is the sense of Congress that the United States should support efforts to strengthen the capacity and legitimacy of democratic institutions and inclusive processes in the Western Hemisphere to promote a more transparent, democratic, and prosperous region.</content></subsection>
<subsection identifier="/us/bill/118/s/1325/s6/b" id="idb981eed4-579d-42d1-87a1-4d721f2bacd7" class="indent0"><num value="b">(b) </num><heading><inline class="smallCaps">In General</inline>.—</heading><chapeau>The Secretary of State, in coordination with the Administrator of the United States Agency for International Development and heads of other relevant Federal agencies, should support transparent, accountable, and democratic governance in the Western Hemisphere through collaborative efforts with democratic partners that— </chapeau>
<paragraph identifier="/us/bill/118/s/1325/s6/b/1" id="id00629f06-a205-43d9-a6ae-1b3f971a43d0" class="indent1"><num value="1">(1) </num><content>strengthen the capacity of national electoral institutions to ensure free, fair, and transparent electoral processes, including through pre-election assessment missions, technical assistance, and independent local and international election monitoring and observation missions;</content></paragraph>
<paragraph identifier="/us/bill/118/s/1325/s6/b/2" id="idf11cd5f3-600c-49b4-9ff0-f2ea4a9c9c44" class="indent1"><num value="2">(2) </num><content>enhance the capabilities of democratically elected national legislatures, parliamentary bodies, and autonomous regulatory institutions to conduct oversight;</content></paragraph>
<paragraph identifier="/us/bill/118/s/1325/s6/b/3" id="id0546d7f1-69dd-4633-9bf3-dfb76535e34f" class="indent1"><num value="3">(3) </num><content>strengthen the capacity of subnational government institutions to govern in a transparent, accountable, and democratic manner, including through training and technical assistance;</content></paragraph>
<paragraph identifier="/us/bill/118/s/1325/s6/b/4" id="id6c1452596b294004865e7b9d7134134d" class="indent1"><num value="4">(4) </num><content>combat corruption at local and national levels, including through trainings, cooperation agreements, initiatives aimed at dismantling corrupt networks, and political support for bilateral or multilateral anticorruption mechanisms that strengthen attorneys general and prosecutors offices; </content></paragraph>
<paragraph identifier="/us/bill/118/s/1325/s6/b/5" id="ideb3794c2-e125-4a31-bb4c-8efcece39df7" class="indent1"><num value="5">(5) </num><content>strengthen the capacity of civil society to conduct oversight of government institutions, build the capacity of independent professional journalism, facilitate substantive dialogue with government and the private sector to generate issue-based policies, and mobilize local resources to carry out such activities;</content></paragraph>
<paragraph identifier="/us/bill/118/s/1325/s6/b/6" id="idb388505acdf44461a734175d72321824" class="indent1"><num value="6">(6) </num><content>promote the meaningful and significant participation of women in democratic processes, including in national and subnational government and civil society; and</content></paragraph>
<paragraph identifier="/us/bill/118/s/1325/s6/b/7" id="id24fd8a1435e3474bad4c0e7824440488" class="indent1"><num value="7">(7) </num><content>support the creation of procedures for the Organization of American States (OAS) to create an annual forum for democratically elected national legislatures from OAS member States to discuss issues of hemispheric importance, as expressed in section 4 of the Organization of American States Legislative Engagement Act of 2020 (<ref href="pl/116/343"><ref href="/us/pl/116/343">Public Law 116343</ref></ref>). </content></paragraph></subsection></section>
<section identifier="/us/bill/118/s/1325/s7" id="idB1E63BDDF76B4D7A99278AA6045C2883"><num value="7">SEC. 7. </num><heading>INVESTMENT, TRADE, AND DEVELOPMENT IN AFRICA AND LATIN AMERICA AND THE CARIBBEAN.</heading>
<subsection identifier="/us/bill/118/s/1325/s7/a" id="id1b3b23bbd04f4f8d9ccc9e1e63a5304f" class="indent0"><num value="a">(a) </num><heading><inline class="smallCaps">Strategy Required</inline>.—</heading>
<paragraph identifier="/us/bill/118/s/1325/s7/a/1" id="idbe78d45830164fb9a7a428a2010e0a18" class="indent1"><num value="1">(1) </num><heading><inline class="smallCaps">In general</inline>.—</heading><content>The President shall establish a comprehensive United States strategy for public and private investment, trade, and development in Africa and Latin America and the Caribbean.</content></paragraph>
<paragraph identifier="/us/bill/118/s/1325/s7/a/2" id="id3ce31980c77846068478c7e3929d0ec7" class="indent1"><num value="2">(2) </num><heading><inline class="smallCaps">Focus of strategy</inline>.—</heading><content>The strategy required by paragraph (1) shall focus on increasing exports of United States goods and services to Africa and Latin America and the Caribbean by 200 percent in real dollar value by the date that is 10 years after the date of the enactment of this Act.</content></paragraph>
<paragraph identifier="/us/bill/118/s/1325/s7/a/3" id="idfeb2777c472b4864b27ef6c2ed7dcee3" class="indent1"><num value="3">(3) </num><heading><inline class="smallCaps">Consultations</inline>.—</heading><chapeau>In developing the strategy required by paragraph (1), the President shall consult with—</chapeau>
<subparagraph identifier="/us/bill/118/s/1325/s7/a/3/A" id="id85fe9502ef7f4850bf87f8d40c3fc18f" class="indent2"><num value="A">(A) </num><content>Congress;</content></subparagraph>
<subparagraph identifier="/us/bill/118/s/1325/s7/a/3/B" id="id369f383d8df54895a21aa707296a9103" class="indent2"><num value="B">(B) </num><content>each agency that is a member of the Trade Promotion Coordinating Committee;</content></subparagraph>
<subparagraph identifier="/us/bill/118/s/1325/s7/a/3/C" id="ide6fa6f3b9e2e4e2aa5efd2a366f14d45" class="indent2"><num value="C">(C) </num><content>the relevant multilateral development banks, in coordination with the Secretary of the Treasury and the respective United States Executive Directors of such banks;</content></subparagraph>
<subparagraph identifier="/us/bill/118/s/1325/s7/a/3/D" id="id761c5a8f595f4b749359b0918bc539a4" class="indent2"><num value="D">(D) </num><content>each agency that participates in the Trade Policy Staff Committee established;</content></subparagraph>
<subparagraph identifier="/us/bill/118/s/1325/s7/a/3/E" id="idace43de76e9e4cf4809b45f89ba333d0" class="indent2"><num value="E">(E) </num><content>the Presidents Export Council;</content></subparagraph>
<subparagraph identifier="/us/bill/118/s/1325/s7/a/3/F" id="id416003a6ffdb40a382cab4d1f416a8db" class="indent2"><num value="F">(F) </num><content>each of the development agencies;</content></subparagraph>
<subparagraph identifier="/us/bill/118/s/1325/s7/a/3/G" id="id92bcbc1bbfa94e1a8324a6417c029bd9" class="indent2"><num value="G">(G) </num><content>any other Federal agencies with responsibility for export promotion or financing and development; and</content></subparagraph>
<subparagraph identifier="/us/bill/118/s/1325/s7/a/3/H" id="id1255e25600fa4201b8112d2f6e4ca6f6" class="indent2"><num value="H">(H) </num><content>the private sector, including businesses, nongovernmental organizations, and African and Latin American and Caribbean diaspora groups.</content></subparagraph></paragraph>
<paragraph identifier="/us/bill/118/s/1325/s7/a/4" id="id946465b2d84042f5b9e8f020b914d977" class="indent1"><num value="4">(4) </num><heading><inline class="smallCaps">Submission to congress</inline>.—</heading>
<subparagraph identifier="/us/bill/118/s/1325/s7/a/4/A" id="idde27e7de2c1949f1a1c786342644862d" class="indent2"><num value="A">(A) </num><heading><inline class="smallCaps">Strategy</inline>.—</heading><content>Not later than 180 days after the date of the enactment of this Act, the President shall submit to Congress the strategy required by subsection (a).</content></subparagraph>
<subparagraph identifier="/us/bill/118/s/1325/s7/a/4/B" id="idbc31ca64a6aa49bca62614d31fdbe10e" class="indent2"><num value="B">(B) </num><heading><inline class="smallCaps">Progress report</inline>.—</heading><content>Not later than 3 years after the date of the enactment of this Act, the President shall submit to Congress a report on the implementation of the strategy required by paragraph (1).</content></subparagraph></paragraph></subsection>
<subsection identifier="/us/bill/118/s/1325/s7/b" id="ida32b01cd120d497587b2f038265e3632" class="indent0"><num value="b">(b) </num><heading><inline class="smallCaps">Special Africa and Latin America and the Caribbean Export Strategy Coordinators</inline>.—</heading><chapeau>The President shall designate an individual to serve as Special Africa Export Strategy Coordinator and an individual to serve as Special Latin America and the Caribbean Export Strategy Coordinator—</chapeau>
<paragraph identifier="/us/bill/118/s/1325/s7/b/1" id="id10ac85960c8c40e781b0ea5dddb21e70" class="indent1"><num value="1">(1) </num><content>to oversee the development and implementation of the strategy required by subsection (a); and</content></paragraph>
<paragraph identifier="/us/bill/118/s/1325/s7/b/2" id="id951d01373c674cba86f4d9ecf3be337a" class="indent1"><num value="2">(2) </num><chapeau>to coordinate developing and implementing the strategy with—</chapeau>
<subparagraph identifier="/us/bill/118/s/1325/s7/b/2/A" id="id2E2FB8A8E9B148A2B452922488CC40CA" class="indent2"><num value="A">(A) </num><content>the Trade Promotion Coordinating Committee; </content></subparagraph>
<subparagraph identifier="/us/bill/118/s/1325/s7/b/2/B" id="id76193537C8104965AF799A87718C84DD" class="indent2"><num value="B">(B) </num><content>the Assistant United States Trade Representative for African Affairs or the Assistant United States Trade Representative for the Western Hemisphere, as appropriate; </content></subparagraph>
<subparagraph identifier="/us/bill/118/s/1325/s7/b/2/C" id="id8E39E3F52B9C4C32B106F0BF5BD33166" class="indent2"><num value="C">(C) </num><content>the Assistant Secretary of State for African Affairs or the Assistant Secretary of State for Western Hemisphere Affairs, as appropriate; </content></subparagraph>
<subparagraph identifier="/us/bill/118/s/1325/s7/b/2/D" id="id08E040917B634F918E5611749D8C8218" class="indent2"><num value="D">(D) </num><content>the Export-Import Bank of the United States; </content></subparagraph>
<subparagraph identifier="/us/bill/118/s/1325/s7/b/2/E" id="id66884C4650054F60965E9BB63987D3BD" class="indent2"><num value="E">(E) </num><content>the United States International Development Finance Corporation; and </content></subparagraph>
<subparagraph identifier="/us/bill/118/s/1325/s7/b/2/F" id="idAFE6B05C861748738E664446AEBDBE2E" class="indent2"><num value="F">(F) </num><content>the development agencies.</content></subparagraph></paragraph></subsection>
<subsection identifier="/us/bill/118/s/1325/s7/c" id="id36c89d6b3e2f41eaa22bfcbbe7dcf183" class="indent0"><num value="c">(c) </num><heading><inline class="smallCaps">Trade Missions to Africa and Latin America and the Caribbean</inline>.—</heading><content>It is the sense of Congress that, not later than one year after the date of the enactment of this Act, the Secretary of Commerce and other high-level officials of the United States Government with responsibility for export promotion, financing, and development should conduct joint trade missions to Africa and to Latin America and the Caribbean.</content></subsection>
<subsection identifier="/us/bill/118/s/1325/s7/d" id="id3bd9280fec7648d6ad4415708b2774dd" class="indent0"><num value="d">(d) </num><heading><inline class="smallCaps">Training</inline>.—</heading><chapeau>The President shall develop a plan—</chapeau>
<paragraph identifier="/us/bill/118/s/1325/s7/d/1" id="idc360e363025142f49629f51ac5e755c7" class="indent1"><num value="1">(1) </num><content>to standardize the training received by United States and Foreign Commercial Service officers, economic officers of the Department of State, and economic officers of the United States Agency for International Development with respect to the programs and procedures of the Export-Import Bank of the United States, the United States International Development Finance Corporation, the Small Business Administration, and the United States Trade and Development Agency; and</content></paragraph>
<paragraph identifier="/us/bill/118/s/1325/s7/d/2" id="id7cae15f35a624a558c2f44d08fea6f5e" class="indent1"><num value="2">(2) </num><chapeau>to ensure that, not later than one year after the date of the enactment of this Act—</chapeau>
<subparagraph identifier="/us/bill/118/s/1325/s7/d/2/A" id="idf9979a8e3cad454a8b3eba2402555732" class="indent2"><num value="A">(A) </num><content>all United States and Foreign Commercial Service officers that are stationed overseas receive the training described in paragraph (1); and</content></subparagraph>
<subparagraph identifier="/us/bill/118/s/1325/s7/d/2/B" id="id5f5c91e7198741c4925c7e34204c0c52" class="indent2"><num value="B">(B) </num><content>in the case of a country to which no United States and Foreign Commercial Service officer is assigned, any economic officer of the Department of State stationed in that country receives that training.</content></subparagraph></paragraph></subsection>
<subsection identifier="/us/bill/118/s/1325/s7/e" id="id29ABF117F87A4C4BAD1EED7F496D4EC7" class="indent0"><num value="e">(e) </num><heading><inline class="smallCaps">Definitions</inline>.—</heading><chapeau>In this section:</chapeau>
<paragraph role="definitions" identifier="/us/bill/118/s/1325/s7/e/1" id="id485641bea39f4ac8b6a42ffcd2fa8f4f" class="indent1"><num value="1">(1) </num><heading><inline class="smallCaps">Development agencies</inline>.—</heading><content>The term “<term>development agencies</term>” means the United States Department of State, the United States Agency for International Development, the Millennium Challenge Corporation, the United States International Development Finance Corporation, the United States Trade and Development Agency, the United States Department of Agriculture, and relevant multilateral development banks.</content></paragraph>
<paragraph role="definitions" identifier="/us/bill/118/s/1325/s7/e/2" id="id6f991ac29f634f4d9f81ea7258f7a8e3" class="indent1"><num value="2">(2) </num><heading><inline class="smallCaps">Multilateral development banks</inline>.—</heading><content>The term “<term>multilateral development banks</term>” has the meaning given that term in section 1701(c)(4) of the International Financial Institutions Act (<ref href="usc/22/262r"><ref href="/us/usc/t22/s262r/c/4">22 U.S.C. 262r(c)(4)</ref></ref>) and includes the African Development Foundation.</content></paragraph>
<paragraph role="definitions" identifier="/us/bill/118/s/1325/s7/e/3" id="id5d35f596447947dea3caf798b1786740" class="indent1"><num value="3">(3) </num><heading><inline class="smallCaps">Trade policy staff committee</inline>.—</heading><content>The term “<term>Trade Policy Staff Committee</term>” means the Trade Policy Staff Committee established pursuant to <ref href="/us/cfr/t15/s2002.2">section 2002.2 of title 15, Code of Federal Regulations</ref>.</content></paragraph>
<paragraph role="definitions" identifier="/us/bill/118/s/1325/s7/e/4" id="ide355b49a916446a4a96207da2335d721" class="indent1"><num value="4">(4) </num><heading><inline class="smallCaps">Trade promotion coordinating committee</inline>.—</heading><content>The term “<term>Trade Promotion Coordinating Committee</term>” means the Trade Promotion Coordinating Committee established under section 2312 of the Export Enhancement Act of 1988 (<ref href="usc/15/4727"><ref href="/us/usc/t15/s4727">15 U.S.C. 4727</ref></ref>).</content></paragraph>
<paragraph role="definitions" identifier="/us/bill/118/s/1325/s7/e/5" id="id673e33776eb348a180bd5d88721dc7d3" class="indent1"><num value="5">(5) </num><heading><inline class="smallCaps">United states and foreign commercial service</inline>.—</heading><content>The term “<term>United States and Foreign Commercial Service</term>” means the United States and Foreign Commercial Service established by section 2301 of the Export Enhancement Act of 1988 (<ref href="usc/15/4721"><ref href="/us/usc/t15/s4721">15 U.S.C. 4721</ref></ref>). </content></paragraph></subsection></section>
<section identifier="/us/bill/118/s/1325/s8" id="idaa486d10439c4f59935d6cbe8c735696"><num value="8">SEC. 8. </num><heading>SENSE OF CONGRESS ON PRIORITIZING NOMINATION AND CONFIRMATION OF QUALIFIED AMBASSADORS.</heading><content>It is the sense of Congress that it is critically important that both the President and the Senate play their respective roles to nominate and confirm qualified ambassadors as quickly as possible, especially for countries in the Western Hemisphere.</content></section>
<section role="definitions" identifier="/us/bill/118/s/1325/s9" id="idf988de86-423b-41a6-9996-f09c3b04bb95"><num value="9">SEC. 9. </num><heading>WESTERN HEMISPHERE DEFINED.</heading><content>In this Act, the term “<term>Western Hemisphere</term>” does not include Cuba, Nicaragua, or Venezuela. </content></section>
<section identifier="/us/bill/118/s/1325/s10" id="ide9d0e09aef4f4721bdf4026f89a66528"><num value="10">SEC. 10. </num><heading>REPORT ON EFFORTS TO CAPTURE AND DETAIN UNITED STATES CITIZENS AS HOSTAGES.</heading>
<subsection identifier="/us/bill/118/s/1325/s10/a" id="id0ab02f2439c94e10bbb59e471fbc1aa1" class="indent0"><num value="a">(a) </num><heading><inline class="smallCaps">In General</inline>.—</heading><content>Not later than 30 days after the date of the enactment of this Act, the Secretary of State shall submit to the Committee on Foreign Relations of the Senate and the Committee on Foreign Affairs of the House of Representatives a report on efforts by the Maduro regime of Venezuela to detain United States citizens and lawful permanent residents.</content></subsection>
<subsection identifier="/us/bill/118/s/1325/s10/b" id="id64315342aade4e5cbef6966e25930733" class="indent0"><num value="b">(b) </num><heading><inline class="smallCaps">Elements</inline>.—</heading><chapeau>The report required by subsection (a) shall include, regarding the arrest, capture, detainment, and imprisonment of United States citizens and lawful permanent residents—</chapeau>
<paragraph identifier="/us/bill/118/s/1325/s10/b/1" id="idc959b6daaadd4c6eb1bb21790d221b5d" class="indent1"><num value="1">(1) </num><content>the names, positions, and institutional affiliation of Venezuelan individuals, or those acting on their behalf, who have engaged in such activities;</content></paragraph>
<paragraph identifier="/us/bill/118/s/1325/s10/b/2" id="id422b66a4c5374ccc9f75959c8d179a92" class="indent1"><num value="2">(2) </num><content>a description of any role played by transnational criminal organizations, and an identification of such organizations; and</content></paragraph>
<paragraph identifier="/us/bill/118/s/1325/s10/b/3" id="id7426cc44044b4a098f9c726331d97cd8" class="indent1"><num value="3">(3) </num><content>where relevant, an assessment of whether and how United States citizens and lawful permanent residents have been lured to Venezuela.</content></paragraph></subsection>
<subsection identifier="/us/bill/118/s/1325/s10/c" id="idb6ff31d9baf943159fb0b3ac217473f1" class="indent0"><num value="c">(c) </num><heading><inline class="smallCaps">Form</inline>.—</heading><content>The report required under subsection (a) shall be submitted in unclassified form, but shall include a classified annex, which shall include a list of the total number of United States citizens and lawful permanent residents detained or imprisoned in Venezuela as of the date on which the report is submitted. </content></subsection></section></main>
</component></collection></main>
<endorsement orientation="landscape"><relatedDocument role="calendar" href="/us/118/scal/51">Calendar No. 51</relatedDocument>
<congress value="118">118th CONGRESS</congress><session value="1">1st Session</session>
<dc:type>S. </dc:type><docNumber>1325</docNumber>
<longTitle><docTitle>A BILL</docTitle><officialTitle>To establish a partnership with nations in the Western Hemisphere to promote economic competitiveness, democratic governance, and security, and for other purposes.</officialTitle></longTitle>
<action><date date="2023-05-04"><inline class="smallCaps">May </inline>4, 2023</date><actionDescription>Reported with an amendment</actionDescription></action></endorsement></bill>

View File

@@ -0,0 +1,542 @@
<?xml version="1.0" encoding="UTF-8"?><?xml-stylesheet type="text/css" href="uslm.css"?><bill xmlns="http://schemas.gpo.gov/xml/uslm" xmlns:dc="http://purl.org/dc/elements/1.1/" xmlns:html="http://www.w3.org/1999/xhtml" xmlns:uslm="http://schemas.gpo.gov/xml/uslm" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://schemas.gpo.gov/xml/uslm uslm-2.1.0.xsd" xml:lang="en" id="H9E2D66483D6B42B6920E4DED4FD9F854"><!--Disclaimer: Legislative measures that include compacts or other non-standard data structures will require additional modeling and may contain inconsistencies in the converted USLM XML.--> <meta>
<dc:title>116 HR 1000 IH: To establish a National Full Employment Trust Fund to create employment opportunities for the unemployed, and for other purposes.</dc:title>
<dc:type>House Bill</dc:type>
<docNumber>1000</docNumber>
<citableAs>116 HR 1000 IH</citableAs>
<citableAs>116hr1000ih</citableAs>
<citableAs>116 H. R. 1000 IH</citableAs>
<docStage>Introduced in House</docStage>
<currentChamber>HOUSE</currentChamber>
<dc:creator>United States House of Representatives</dc:creator>
<processedBy>GPO XPub Bill to USLM Generator, version 0.5 + manual changes</processedBy>
<processedDate>2024-09-09</processedDate>
<dc:publisher>United States Government Publishing Office</dc:publisher>
<dc:format>text/xml</dc:format>
<dc:language>EN</dc:language>
<dc:rights>Pursuant to Title 17 Section 105 of the United States Code, this file is not subject to copyright protection and is in the public domain.</dc:rights>
<congress>116</congress>
<session>1</session>
<publicPrivate>public</publicPrivate></meta>
<preface>
<slugLine>•HR 1000 IH</slugLine>
<distributionCode display="yes">I</distributionCode>
<congress value="116">116th CONGRESS</congress>
<session value="1">1st Session</session>
<dc:type>H. R. </dc:type>
<docNumber>1000</docNumber>
<dc:title>To establish a National Full Employment Trust Fund to create employment opportunities for the unemployed, and for other purposes.</dc:title>
<currentChamber value="HOUSE">IN THE HOUSE OF REPRESENTATIVES</currentChamber>
<action><date date="2019-02-06"><inline class="smallCaps">February </inline>6, 2019</date><actionDescription><sponsor bioGuideId="W000808">Ms. <inline class="smallCaps">Wilson</inline> of Florida</sponsor> introduced the following bill; which was referred to the <committee committeeId="HED00">Committee on Education and Labor</committee>, and in addition to the Committee on <committee committeeId="HWM00">Ways and Means</committee>, for a period to be subsequently determined by the Speaker, in each case for consideration of such provisions as fall within the jurisdiction of the committee concerned</actionDescription></action></preface>
<main id="HF3BCABAE84174062B1062E49186FA692" styleType="OLC"><longTitle><docTitle>A BILL</docTitle><officialTitle>To establish a National Full Employment Trust Fund to create employment opportunities for the unemployed, and for other purposes.</officialTitle></longTitle><enactingFormula><i>Be it enacted by the Senate and House of Representatives of the United States of America in Congress assembled, </i></enactingFormula>
<section identifier="/us/bill/116/hr/1000/s1" id="HE381B92ECAAB47F78F9A36E7D56D431B"><num value="1">SECTION 1. </num><heading>SHORT TITLE; TABLE OF CONTENTS.</heading>
<subsection identifier="/us/bill/116/hr/1000/s1/a" id="HA7BF65E2D13D4A78A6C55F3B82E0F3AA" class="indent0"><num value="a">(a) </num><heading><inline class="smallCaps">Short Title</inline>.—</heading><content>This Act may be cited as the “<shortTitle role="act">Humphrey-Hawkins 21st Century Full Employment and Training Act of 2019</shortTitle>” or the “<shortTitle role="act">Jobs for All Act</shortTitle>”.</content></subsection>
<subsection identifier="/us/bill/116/hr/1000/s1/b" id="HBF438FD028FD44808303B9AC2F5060B1" class="indent0"><num value="b">(b) </num><heading><inline class="smallCaps">Table of Contents</inline>.—</heading><content>The table of contents of this Act is as follows:
<toc>
<referenceItem idref="HE381B92ECAAB47F78F9A36E7D56D431B" role="section">
<designator>Sec.1.</designator>
<label>Short title; table of contents.</label>
</referenceItem>
<referenceItem idref="H73BB2337A169487E95C6B577233AEA01" role="section">
<designator>Sec.2.</designator>
<label>Findings and purposes.</label>
</referenceItem>
<referenceItem idref="H327707090FFA4BB99B560D1FF5E0C985" role="section">
<designator>Sec.3.</designator>
<label>Definitions.</label>
</referenceItem>
<referenceItem idref="HFE31D1EFFB864D9EB85163CEFB780374" role="title">
<designator>TITLE I—</designator><label>ESTABLISHMENT OF NATIONAL FULL EMPLOYMENT TRUST FUND</label>
</referenceItem>
<referenceItem idref="HCE1BAD2F40564081B4609E62765DCB1B" role="section">
<designator>Sec.101.</designator>
<label>National Full Employment Trust Fund.</label>
</referenceItem>
<referenceItem idref="HE95EB91DFDD64809ABE00121F34CA66F" role="section">
<designator>Sec.102.</designator>
<label>Source of funds.</label>
</referenceItem>
<referenceItem idref="HCD6799777E7A4596B54F7922D9ABC4CA" role="section">
<designator>Sec.103.</designator>
<label>Loans from the Federal Reserve System.</label>
</referenceItem>
<referenceItem idref="H2DF6787DBF86411DB5134F6CA8537FC7" role="section">
<designator>Sec.104.</designator>
<label>Trust Fund corpus reserved.</label>
</referenceItem>
<referenceItem idref="HB94198F792194DC28D4E0B198F52C3C4" role="title">
<designator>TITLE II—</designator><label>PROGRAM ADMINISTRATION</label>
</referenceItem>
<referenceItem idref="H2E9B1FF8684E4104AB0E02B31500311A" role="section">
<designator>Sec.201.</designator>
<label>In general.</label>
</referenceItem>
<referenceItem idref="H15BE287BA7FF4FF1B93C31E6CEC79E41" role="section">
<designator>Sec.202.</designator>
<label>Grant management.</label>
</referenceItem>
<referenceItem idref="H0505B5F9F1A74D2EBEDB12AAB9DDA63C" role="section">
<designator>Sec.203.</designator>
<label>Office of Technical Assistance.</label>
</referenceItem>
<referenceItem idref="HCE17271BE3094196B0E1E7E86C92297A" role="section">
<designator>Sec.204.</designator>
<label>Office of Educational Support.</label>
</referenceItem>
<referenceItem idref="HD69C2EC6392542CAA832E0DCAAB6B263" role="section">
<designator>Sec.205.</designator>
<label>Office of Assisted Placement.</label>
</referenceItem>
<referenceItem idref="H1D1F1A7DFC8243BAA6B0A0DC0677DB26" role="section">
<designator>Sec.206.</designator>
<label>Office of Dispute Resolution.</label>
</referenceItem>
<referenceItem idref="HB3F0B69FB94F43B59C0FB68BDE498E08" role="section">
<designator>Sec.207.</designator>
<label>Office of Statistics and Research.</label>
</referenceItem>
<referenceItem idref="HB7EE0609763E4B2D85BB64277953E762" role="section">
<designator>Sec.208.</designator>
<label>National Employment Conference.</label>
</referenceItem>
<referenceItem idref="HF1F472B81697483F930D535107EE0285" role="section">
<designator>Sec.209.</designator>
<label>Program website.</label>
</referenceItem>
<referenceItem idref="H82FC5FE90ECB4750972B42BB444A94C2" role="section">
<designator>Sec.210.</designator>
<label>Staffing administrative functions.</label>
</referenceItem>
<referenceItem idref="HBA6ADB41BDFF490F8F3BC891C7393E97" role="section">
<designator>Sec.211.</designator>
<label>Workforce Innovation and Opportunity Act.</label>
</referenceItem>
<referenceItem idref="HE7E2DE1551B844699E8A49FE718FBF74" role="title">
<designator>TITLE III—</designator><label>EMPLOYMENT OPPORTUNITY GRANTS</label>
</referenceItem>
<referenceItem idref="H8EBE00015E20438EBF8C9D19FE792A4D" role="section">
<designator>Sec.301.</designator>
<label>Grants.</label>
</referenceItem>
<referenceItem idref="H6155E5498B2646D8B9A4D46FA50C54BE" role="section">
<designator>Sec.302.</designator>
<label>Eligible entities.</label>
</referenceItem>
<referenceItem idref="HAC6117CE00304E158BF4FF444B308331" role="section">
<designator>Sec.303.</designator>
<label>Use of funds.</label>
</referenceItem>
<referenceItem idref="HCA22F6B58819459396423D40F21D43A4" role="section">
<designator>Sec.304.</designator>
<label>Grant conditions.</label>
</referenceItem>
<referenceItem idref="H72F77E1A0E8448398C0A002968A65A43" role="section">
<designator>Sec.305.</designator>
<label>Program employment described.</label>
</referenceItem>
<referenceItem idref="HF5303E1B3E4244F9A2004533E7A900B6" role="section">
<designator>Sec.306.</designator>
<label>Eligibility for program employment.</label>
</referenceItem>
<referenceItem idref="HC2D33993BC434E9CB7F56705358B92EF" role="section">
<designator>Sec.307.</designator>
<label>Compensation.</label>
</referenceItem>
<referenceItem idref="H4D5EC7FD589F4CEDB3BF1A1CEF6D41A2" role="section">
<designator>Sec.308.</designator>
<label>Assisted placement.</label>
</referenceItem>
<referenceItem idref="HD20CA500E9604702988077AC7B79759A" role="section">
<designator>Sec.309.</designator>
<label>Priority given to certain projects.</label>
</referenceItem>
<referenceItem idref="H410A39708A7A48EB82495041AD0E2A75" role="section">
<designator>Sec.310.</designator>
<label>Startup period.</label>
</referenceItem>
<referenceItem idref="H4B45C7F213F44523811DFF65AC84D855" role="section">
<designator>Sec.311.</designator>
<label>Secretarys authority to administer projects directly.</label>
</referenceItem>
<referenceItem idref="H9D79381935094F03A598B40435EB510E" role="section">
<designator>Sec.312.</designator>
<label>Reports.</label>
</referenceItem>
<referenceItem idref="H0D2EA4B224664B5DB0215D147A873F32" role="section">
<designator>Sec.313.</designator>
<label>Dispute resolution.</label>
</referenceItem>
<referenceItem idref="H0DE42EE8B105445CB6613F774434BA41" role="section">
<designator>Sec.314.</designator>
<label>Tax on securities transactions.</label>
</referenceItem></toc></content></subsection></section>
<section identifier="/us/bill/116/hr/1000/s2" id="H73BB2337A169487E95C6B577233AEA01"><num value="2">SEC. 2. </num><heading>FINDINGS AND PURPOSES.</heading>
<subsection identifier="/us/bill/116/hr/1000/s2/a" id="H74CEC60614154E0D9881A799BBA6B98C" class="indent0"><num value="a">(a) </num><heading><inline class="smallCaps">Findings</inline>.—</heading><chapeau>Congress finds the following:</chapeau>
<paragraph identifier="/us/bill/116/hr/1000/s2/a/1" id="H317E7E4ABD46404BA0B95C9093F59B40" class="indent1"><num value="1">(1) </num><content>The Federal Government has established the achievement of full employment as a national goal in the Employment Act of 1946 and the Full Employment and Balanced Growth Act of 1978.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/s2/a/2" id="H41205723DEA0481DA88C1207B46C7F7E" class="indent1"><num value="2">(2) </num><content>Consistent with this goal and pursuant to these Acts, the Congress has declared it to be the continuing policy and responsibility of the Federal Government to use all practicable means to create and maintain conditions which promote useful employment opportunities for all who seek them, including the self-employed.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/s2/a/3" id="H12087AECCAE94ECDA6B6DE33DCDC0C31" class="indent1"><num value="3">(3) </num><content>Consistent with this goal and pursuant to these Acts, the Congress has also declared and established as a national goal the fulfillment of the right to full opportunities for useful paid employment at fair rates of compensation of all individuals able, willing, and seeking to work.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/s2/a/4" id="H132E0FFDB4A24C45AA07BF5DAB714802" class="indent1"><num value="4">(4) </num><content>The United States also has a duty under Articles 55 and 56 of the United Nations Charter to promote “full employment” and the “universal respect for, and observance of, human rights and fundamental freedoms for all without distinction as to race, sex, language, or religion”.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/s2/a/5" id="H575C30D3D26146FE8BEFD881F7A511EA" class="indent1"><num value="5">(5) </num><content>The human rights the United States has a duty to promote pursuant to this obligation are set forth in the Universal Declaration of Human Rights.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/s2/a/6" id="H89A4BC9C6AA44FCB9760AB249FCAE3FD" class="indent1"><num value="6">(6) </num><content>Article 23 of the Universal Declaration of Human Rights states that “Everyone has the right to work” and to “just and favorable remuneration” that insures for his or her family “an existence worthy of human dignity, and supplemented, if necessary, by other means of social protection”.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/s2/a/7" id="H120616AC7C5E4F0CA19E201F0495A7A9" class="indent1"><num value="7">(7) </num><content>Consistent with the purpose and intent of the Employment Act of 1946, the Full Employment and Balanced Growth Act of 1978, Articles 55 and 56 of the United Nations Charter, and Article 23 of the Universal Declaration of Human Rights, the Congress recognizes and declares that the meaning of full employment under both United States and international law is synonymous with the realization of the right to work.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/s2/a/8" id="H414CF73A624B44ADB1A2D5FFE77358F0" class="indent1"><num value="8">(8) </num><content>Consistent with this understanding of the meaning of full employment, the stated policy of the United States with respect to the achievement of full employment and the realization of the right to work, and the obligations of the United States under international law, the Full Employment and Balanced Growth Act of 1978 established an interim 5-year target of 3 percent unemployment for individuals 20 years of age and older, and 4 percent for individuals age 16 and over within 5 years, with full employment to be achieved “as soon as practicable” thereafter.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/s2/a/9" id="H033959FF9E9548E7B5FA46F52164F071" class="indent1"><num value="9">(9) </num><content>Notwithstanding the targets set forth in the Full Employment and Balanced Growth Act of 1978, the United States continues to suffer substantial unemployment and underemployment across all phases of the business cycle, including periods when the Board of Governors of the Federal Reserve System is pursuing policies that may be useful in controlling inflation but whose necessary consequence is the continuation of a level of unemployment and underemployment that is inconsistent with the achievement of full employment and the realization of the right to work.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/s2/a/10" id="H75958046C17E41AAB87BBACFEFD18B89" class="indent1"><num value="10">(10) </num><chapeau>The Federal Governments failure to develop and implement policies capable of reconciling the need to control inflation with its obligation to achieve full employment and secure the right to work imposes numerous economic and social costs on the Nation, the following among them:</chapeau>
<subparagraph identifier="/us/bill/116/hr/1000/s2/a/10/A" id="H81572271C814478486E55DDD7B317F1F" class="indent2"><num value="A">(A) </num><content>The Nation is deprived of the full supply of goods and services and related increases in economic well-being that would occur under conditions of genuine full employment.</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/1000/s2/a/10/B" id="HD5EAC79CD3A247E7953CDEB508D42C3A" class="indent2"><num value="B">(B) </num><content>The Nations depressed output of goods and services, especially in the public sector, is insufficient to meet pressing national needs for infrastructure investment and maintenance, public transportation, clean energy production, low and moderate income housing, education, health care, child and elder care, and many other public goods and human services.</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/1000/s2/a/10/C" id="H990DAEEB34FC4F00ACF3C59A6DAD148D" class="indent2"><num value="C">(C) </num><content>Unemployment and underemployment expose many workers and families to significant, social, psychological, and physiological costs, including disruption of family life, the loss of individual dignity and self-respect, and the aggravation of physical and mental illnesses.</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/1000/s2/a/10/D" id="H3CD030784C6D4A98B0D52D1B19A75996" class="indent2"><num value="D">(D) </num><content>Persisting unemployment and underemployment have devastating financial consequences for its victims, resulting in the loss of income and spending power for families, and interfering with their ability to save and accumulate assets for a secure family life and retirement.</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/1000/s2/a/10/E" id="HF580E569F37F44B5BFFA79D081D0B648" class="indent2"><num value="E">(E) </num><content>Because disadvantaged population groups suffer the burdens and harmful consequences of unemployment with greater frequency and at higher levels than nondisadvantaged population groups, unemployment presents a virtually insurmountable barrier to the achievement of equal opportunity for all Americans.</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/1000/s2/a/10/F" id="H4E296D23380C40F6B3D38C1310397871" class="indent2"><num value="F">(F) </num><content>Exceptionally high levels of unemployment among the Nations youth are particularly harmful because of their long-term negative effects.</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/1000/s2/a/10/G" id="H7BB8EAF9CA724D4D88C8FBBC739986EF" class="indent2"><num value="G">(G) </num><content>High levels of unemployment and inadequate consumer demand also contribute to poor conditions for retail businesses, manufacturers, and many other firms to grow and prosper.</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/1000/s2/a/10/H" id="H5BC0D78F5F904623983BAD8C77DC99C5" class="indent2"><num value="H">(H) </num><content>In the real estate sector, the Congress finds that high levels of unemployment contribute to foreclosures, evictions, and commercial vacancies, thereby undermining the quality of neighborhood and community life, and hampering prospects for the economic development of all the Nations neighborhoods and communities.</content></subparagraph></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/s2/a/11" id="HAB3F43D8F2414BFEA76BA8746540FDC2" class="indent1"><num value="11">(11) </num><content>Since the historic promise of the Employment Act of 1946 and the Full Employment and Balanced Growth Act of 1978 has not been realized, the Congress declares and reaffirms the Federal Governments obligation to insure the availability of decent jobs for all at living wages.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/s2/a/12" id="HB1AF3D74EBD649679F9F149BDDFB26EF" class="indent1"><num value="12">(12) </num><content>The Congress further declares and reaffirms that the elimination of job disparities among groups of workers who experience chronically higher rates of unemployment and underemployment is an essential component of the Federal Governments commitment to the achievement of full employment and the realization of the right to work.</content></paragraph>
<paragraph role="instruction" identifier="/us/bill/116/hr/1000/s2/a/13" id="H5EA125407DB949A792A2ED532CA7CDA9" class="indent1"><num value="13">(13) </num><content>The Congress also finds that both job vacancy surveys and historic experience shows that even at the top of the business cycle, when the national unemployment rate drops to the 4 percent or below, the economy fails to provide enough jobs to employ everyone who wants to work. Consequently, the need for direct job creation by the Federal Government is especially important at such times to close the economys job gap without <amendingAction type="add">adding</amendingAction> significantly to inflationary pressures, a goal it is virtually impossible to achieve with economic policies directed at boosting production in the private sector of the economy.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/s2/a/14" id="H803CC570C489483691B5ECC49058E57B" class="indent1"><num value="14">(14) </num><content>The Congress further finds that in addition to providing a non-inflationary pathway for the achievement of full employment and the realization of the right to work, the direct job-creation strategy, conceived and tested by the Federal Government during the New Deal era, would also reduce the severity of recessions while enriching the Nation with a substantial increase in the production of badly needed public goods and services.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/s2/a/15" id="HA3C84860E5CB4934B0D715002A728281" class="indent1"><num value="15">(15) </num><content>The Congress further finds that because of the broad range of social costs the problem of unemployment imposes on society, including in particular reduced tax collections and increased social welfare expenditures by all levels of government, the achievement of full employment and the realization of the right to work by means of the New Deals direct job creation strategy would cost far less than other major social welfare benefits provided by government and might even end up saving the public money.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/s2/a/16" id="HCEF9EB2B76D4431A828D263AD749ECE5" class="indent1"><num value="16">(16) </num><content>Therefore, while the Congress fully supports efforts to maximize the creation of private, public, and nonprofit sector jobs through improved use of general economic and structural policies, it recognizes and affirms the need to supplement those policies with a well-designed direct job creation program committed to and capable of closing the economys job gap across all phases of the business cycle.</content></paragraph></subsection>
<subsection identifier="/us/bill/116/hr/1000/s2/b" id="H85AA9164EF8441AC8E57AAD5E7287013" class="indent0"><num value="b">(b) </num><heading><inline class="smallCaps">Purpose</inline>.—</heading><content>It is the purpose of the Jobs for All Act to achieve genuine full employment and fulfill the right to useful work at living wages for all persons able, willing and seeking employment by establishing a National Full Employment Trust Fund to pay for a national program of public service employment capable of achieving these goals by supplementing the employment opportunities furnished by the existing private, public, and nonprofit sectors of the economy under existing law.</content></subsection></section>
<section identifier="/us/bill/116/hr/1000/s3" id="H327707090FFA4BB99B560D1FF5E0C985"><num value="3">SEC. 3. </num><heading>DEFINITIONS.</heading>
<chapeau class="indent0">In this Act, the following definitions apply:</chapeau>
<paragraph role="definitions" identifier="/us/bill/116/hr/1000/s3/1" id="HF443CC2598BB4535910FC613CD6DEB2F" class="indent1"><num value="1">(1) </num><heading><inline class="smallCaps">ACA</inline>.—</heading><content>The term “<term>ACA</term>” means the Patient Protection and Affordable Care Act as amended.</content></paragraph>
<paragraph role="definitions" identifier="/us/bill/116/hr/1000/s3/2" id="HB7C04A8270E5420988342ED5E45026B9" class="indent1"><num value="2">(2) </num><heading><inline class="smallCaps">Disadvantaged individual or population group</inline>.—</heading><content>The term “<term>disadvantaged individual</term>” or “<term>disadvantaged population group</term>” means an individual or population group that the Secretary has identified as suffering from disabilities or socio-economic disadvantages that significantly interfere with the individuals or groups access to equal employment opportunity.</content></paragraph>
<paragraph role="definitions" identifier="/us/bill/116/hr/1000/s3/3" id="H4EE876DE72194A689A3454AA96B9F33F" class="indent1"><num value="3">(3) </num><heading><inline class="smallCaps">Comparable worth</inline>.—</heading><content>The term “<term>comparable worth</term>”, used with respect to work, means work that includes the composite of the skill, effort, responsibility, and working conditions normally required in the performance of a particular job as determined pursuant to standards established by the Secretary following consultations with experts in the field of comparable worth wage assessments.</content></paragraph>
<paragraph role="definitions" identifier="/us/bill/116/hr/1000/s3/4" id="H607D8E735C61460D9AD380461807511A" class="indent1"><num value="4">(4) </num><heading><inline class="smallCaps">Equal opportunity grant</inline>.—</heading><content>The terms “<term>Equal Opportunity Grant</term>” and “<term>grant</term>” mean an Employment Opportunity Grant authorized in title III of this Act.</content></paragraph>
<paragraph role="definitions" identifier="/us/bill/116/hr/1000/s3/5" id="H752C168E93404C179FCC6A420904D8ED" class="indent1"><num value="5">(5) </num><heading><inline class="smallCaps">Grant recipient</inline>.—</heading><content>The term “<term>grant recipient</term>” means an entity awarded an Employment Opportunity Grant under section 6 of this Act.</content></paragraph>
<paragraph role="definitions" identifier="/us/bill/116/hr/1000/s3/6" id="HAE795E8CE4694BE58B87583A323EF630" class="indent1"><num value="6">(6) </num><heading><inline class="smallCaps">Health exchange</inline>.—</heading><content>the term “<term>Health Exchange</term>” or “<term>State Health Exchange</term>” means an American Health Benefit Exchange established under section 1311(b) or 1321(c) of the ACA.</content></paragraph>
<paragraph role="definitions" identifier="/us/bill/116/hr/1000/s3/7" id="H2B918205248A4366A803B5247FA616F3" class="indent1"><num value="7">(7) </num><heading><inline class="smallCaps">Indian tribe</inline>.—</heading><content>The term “<term>Indian Tribe</term>” has the meaning given such term in section 102(17) of the Housing and Community Development Act (<ref href="/us/usc/t42/s5302/17">42 U.S.C. 5302(17)</ref>).</content></paragraph>
<paragraph role="definitions" identifier="/us/bill/116/hr/1000/s3/8" id="H0D57750066FC43909B86A544C100211A" class="indent1"><num value="8">(8) </num><heading><inline class="smallCaps">One-stop center</inline>.—</heading><content>The term “<term>one-stop center</term>” means a site described in section 121(e)(2) of the Workforce Innovation and Opportunity Act (<ref href="/us/usc/t29/s3151/e/2">29 U.S.C. 3151(e)(2)</ref>).</content></paragraph>
<paragraph role="definitions" identifier="/us/bill/116/hr/1000/s3/9" id="HD125D6D071094CB3A6D378119BB4E1A2" class="indent1"><num value="9">(9) </num><heading><inline class="smallCaps">Program</inline>.—</heading><content>The term “<term>Program</term>” whether used as a noun or an adjective, shall refer to the program established under this Act.</content></paragraph>
<paragraph role="definitions" identifier="/us/bill/116/hr/1000/s3/10" id="H1723231D7F5545BF9F33D0953EC2B690" class="indent1"><num value="10">(10) </num><heading><inline class="smallCaps">Program employee</inline>.—</heading><content>The term “<term>Program employee</term>” means a person certified as eligible for Program Employment under section 306 of this Act and who is employed in a job funded by the Trust Fund.</content></paragraph>
<paragraph role="definitions" identifier="/us/bill/116/hr/1000/s3/11" id="H72D825258CA641238DA41A70503F23BE" class="indent1"><num value="11">(11) </num><heading><inline class="smallCaps">Program employment</inline>.—</heading><content>The term “<term>Program employment</term>” means employment of a Program Employee in a job funded by the Trust Fund.</content></paragraph>
<paragraph role="definitions" identifier="/us/bill/116/hr/1000/s3/12" id="HA86D958712D4421E90F7F1B06DA8D076" class="indent1"><num value="12">(12) </num><heading><inline class="smallCaps">Program trainee</inline>.—</heading><content>The term “<term>Program trainee</term>” means a person enrolled in a training program funded under this Act.</content></paragraph>
<paragraph role="definitions" identifier="/us/bill/116/hr/1000/s3/13" id="H81E5332968EE477EA32DE8A60EA286AD" class="indent1"><num value="13">(13) </num><heading><inline class="smallCaps">Program training</inline>.—</heading><content>The term “<term>Program training</term>” means training provide by a grant recipient in a training program authorized under title III of this Act.</content></paragraph>
<paragraph role="definitions" identifier="/us/bill/116/hr/1000/s3/14" id="H51C759D168AB47F4B612C42C3AB18793" class="indent1"><num value="14">(14) </num><heading><inline class="smallCaps">Reasonable needs</inline>.—</heading><content>The term “<term>reasonable needs</term>” shall mean those needs reasonably required for a household to enjoy a modest but adequate standard of living, taking into consideration the size and composition of the household, the local cost of living, and any cash or in-kind transfer benefits available to the household.</content></paragraph>
<paragraph role="definitions" identifier="/us/bill/116/hr/1000/s3/15" id="H034DD67BD06F42668D6C77BC1FC7C94A" class="indent1"><num value="15">(15) </num><heading><inline class="smallCaps">Secretary</inline>.—</heading><content>The term “<term>Secretary</term>” means the Secretary of Labor.</content></paragraph>
<paragraph role="definitions" identifier="/us/bill/116/hr/1000/s3/16" id="H67AD2726F3FE4240A473635BBFC41037" class="indent1"><num value="16">(16) </num><heading><inline class="smallCaps">Small business</inline>.—</heading><content>The term “<term>small business</term>” has the meaning given the term “<term>small business concern</term>” under section 3 of the Small Business Act (<ref href="/us/usc/t15/s632">15 U.S.C. 632</ref>).</content></paragraph>
<paragraph role="definitions" identifier="/us/bill/116/hr/1000/s3/17" id="H6D177B035469448F919C7E6901FCB26F" class="indent1"><num value="17">(17) </num><heading><inline class="smallCaps">State</inline>.—</heading><content>The term “<term>State</term>” has the meaning given such term in section 102(2) of the Housing and Community Development Act (<ref href="/us/usc/t42/s5302/2">42 U.S.C. 5302(2)</ref>).</content></paragraph>
<paragraph role="definitions" identifier="/us/bill/116/hr/1000/s3/18" id="H45667EE3EA9D4F7D97870062E3B3EE6C" class="indent1"><num value="18">(18) </num><heading><inline class="smallCaps">State health subsidy program</inline>.—</heading><content>The term “<term>State health subsidy program</term>” means a program qualifying as an applicable State health subsidy program under section 1413(e) of the ACA.</content></paragraph>
<paragraph role="definitions" identifier="/us/bill/116/hr/1000/s3/19" id="H3AEF9977F52141FCBD1555CCB7B244FF" class="indent1"><num value="19">(19) </num><heading><inline class="smallCaps">Trust fund</inline>.—</heading><content>The term “<term>Trust Fund</term>” refers to the National Full Employment Trust Fund established under section 101.</content></paragraph>
<paragraph role="definitions" identifier="/us/bill/116/hr/1000/s3/20" id="H06FFDED4208C4F7CB9DA40BA8C1B1D34" class="indent1"><num value="20">(20) </num><heading><inline class="smallCaps">Unit of general local government</inline>.—</heading><content>The term “<term>unit of general local government</term>” has the meaning given such term in section 102(1) of the Housing and Community Development Act (<ref href="/us/usc/t42/s5302/1">42 U.S.C. 5302(1)</ref>).</content></paragraph>
<paragraph role="definitions" identifier="/us/bill/116/hr/1000/s3/21" id="HC08C2C45D37D4852B7737FADA9CA265B" class="indent1"><num value="21">(21) </num><heading><inline class="smallCaps">Urban county</inline>.—</heading><content>The term “<term>urban county</term>” has the meaning given such term in section 102(6) of the Housing and Community Development Act (<ref href="/us/usc/t42/s5302/6">42 U.S.C. 5302(6)</ref>).</content></paragraph>
<paragraph role="definitions" identifier="/us/bill/116/hr/1000/s3/22" id="H63B6A65FE0F94B81917102E04457D3E6" class="indent1"><num value="22">(22) </num><heading><inline class="smallCaps">WIOA</inline>.—</heading><content>The term “<term>WIOA</term>” means the “Workforce Innovation and Opportunity Act of 2014 as amended” (<ref href="/us/usc/t29/s3101/etseq">29 U.S.C. 3101 et seq.</ref>).</content></paragraph></section>
<title identifier="/us/bill/116/hr/1000/tI" id="HFE31D1EFFB864D9EB85163CEFB780374"><num value="I">TITLE I—</num><heading class="inline">ESTABLISHMENT OF NATIONAL FULL EMPLOYMENT TRUST FUND</heading>
<section identifier="/us/bill/116/hr/1000/tI/s101" id="HCE1BAD2F40564081B4609E62765DCB1B"><num value="101">SEC. 101. </num><heading>NATIONAL FULL EMPLOYMENT TRUST FUND.</heading><content class="block">There is hereby created an account in the Treasury of the United States to be known as the “National Full Employment Trust Fund”.</content></section>
<section identifier="/us/bill/116/hr/1000/tI/s102" id="HE95EB91DFDD64809ABE00121F34CA66F"><num value="102">SEC. 102. </num><heading>SOURCE OF FUNDS.</heading>
<chapeau class="indent0">There is hereby appropriated to the Trust Fund for the fiscal year in which the effective date set forth in section 314(d) occurs, and for each fiscal year thereafter, amounts equivalent to 100 percent of—</chapeau>
<paragraph identifier="/us/bill/116/hr/1000/tI/s102/1" id="H32412A0849A54DBA980F3FA1CB4CBA6E" class="indent1"><num value="1">(1) </num><content>the taxes (including interest, penalties, and additions to the taxes) received under section 4475 of the Internal Revenue Code of 1986 as added by section 314 of this Act;</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/tI/s102/2" id="HD5814A97281A4B4E9BC5EE804E08A62C" class="indent1"><num value="2">(2) </num><content>the amount on deposit in the Federal Unemployment Trust Fund that otherwise would have been requisitionable by a State Agency under section 904(f) of the Social Security Act as amended (<ref href="/us/usc/t42/s1104/f">42 U.S.C. 1104(f)</ref>) for the payment of Unemployment Insurance benefits that a Program employee would have been entitled to receive but for that individuals Program employment, with the amount debited from the book account or accounts in the Federal Unemployment Trust Fund maintained for the payment of the Unemployment Insurance benefits in question; and</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/tI/s102/3" id="H5B9ADD20D4724D0882F9F4B4C6C04535" class="indent1"><num value="3">(3) </num><content>an amount equal to the FICA, Medicare, and personal income taxes paid by Program employees on their Program earnings, as estimated by the Secretary of the Treasury.</content></paragraph></section>
<section identifier="/us/bill/116/hr/1000/tI/s103" id="HCD6799777E7A4596B54F7922D9ABC4CA"><num value="103">SEC. 103. </num><heading>LOANS FROM THE FEDERAL RESERVE SYSTEM.</heading>
<subsection identifier="/us/bill/116/hr/1000/tI/s103/a" id="H94ABF454CE7749F6A94A3D7B38B37B0A" class="indent0"><num value="a">(a) </num><heading><inline class="smallCaps">In General</inline>.—</heading><content>If the amount available in the Trust Fund for allocation under title III of this Act is insufficient to prevent the national unemployment rate from rising more than one full percentage point above its previously attained level, the Board of Governors of the Federal Reserve System shall lend such additional amounts to the Trust Fund as are necessary to allow the Secretary of Labor to make such additional allocations under title III of this Act as are necessary to restore the national unemployment rate to its allowable 1 percent range of upward variation.</content></subsection>
<subsection identifier="/us/bill/116/hr/1000/tI/s103/b" id="HDD259D2535464A529864B2634B716BC8" class="indent0"><num value="b">(b) </num><heading><inline class="smallCaps">Repayment</inline>.—</heading><content>Amounts lent to the Trust Fund by the Board of Governors of the Federal Reserve System under subsection (a) shall be repaid by the Trust Fund over 10 years, with interest payable at the same average rate the Federal Government contracts to pay on 10-year bonds sold during the period beginning 45 days prior to the date the loans were made to the Trust Fund and ending 45 days following such date.</content></subsection>
<subsection identifier="/us/bill/116/hr/1000/tI/s103/c" id="H787BF807F6254F3D97478CF77A1087D1" class="indent0"><num value="c">(c) </num><heading><inline class="smallCaps">Cancellation of Debt</inline>.—</heading><content>The Board of Governors of the Federal Reserve System, in consultation with the Federal Open Market Committee, shall have a continuing obligation to review any debt owed by the Trust Fund to the Federal Reserve System, and if it determines that the debt or any portion thereof can be cancelled without significant adverse effect on the economy, it shall do so.</content></subsection></section>
<section identifier="/us/bill/116/hr/1000/tI/s104" id="H2DF6787DBF86411DB5134F6CA8537FC7"><num value="104">SEC. 104. </num><heading>TRUST FUND CORPUS RESERVED.</heading>
<chapeau class="indent0">The corpus of the Trust Fund may be used for no other purpose than to fund—</chapeau>
<paragraph identifier="/us/bill/116/hr/1000/tI/s104/1" id="HC3C504D55E1F47B694E1A91F09EAAAB0" class="indent1"><num value="1">(1) </num><content>Employment Opportunity Grants issued under title III of this Act, including for job creation and training projects directly administered by the Secretary pursuant to section 311;</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/tI/s104/2" id="HADE35911550547419706779213B39ECF" class="indent1"><num value="2">(2) </num><content>administrative activities and programs under the WIOA that the Secretary determines are necessary or useful to achieve the purposes of this Act; and</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/tI/s104/3" id="H7EED1E5F13EA4644B7C8C957C8424ED8" class="indent1"><num value="3">(3) </num><content>administrative expenses reasonably incurred by the Secretary to implement and administer programs and activities authorized under this Act.</content></paragraph></section></title>
<title identifier="/us/bill/116/hr/1000/tII" id="HB94198F792194DC28D4E0B198F52C3C4"><num value="II">TITLE II—</num><heading class="inline">PROGRAM ADMINISTRATION</heading>
<section identifier="/us/bill/116/hr/1000/tII/s201" id="H2E9B1FF8684E4104AB0E02B31500311A"><num value="201">SEC. 201. </num><heading>IN GENERAL.</heading><content class="block">The Secretary shall establish an appropriate administrative structure within the Department of Labor to administer the Program.</content></section>
<section identifier="/us/bill/116/hr/1000/tII/s202" id="H15BE287BA7FF4FF1B93C31E6CEC79E41"><num value="202">SEC. 202. </num><heading>GRANT MANAGEMENT.</heading>
<subsection identifier="/us/bill/116/hr/1000/tII/s202/a" id="H7CAC882DB8524203BD45D73C6493134A" class="indent0"><num value="a">(a) </num><heading><inline class="smallCaps">In General</inline>.—</heading><content>The Secretary shall establish and administer an evaluation, approval, and monitoring process for Employment Opportunity Grants that is transparent, apolitical, and free of outside influence.</content></subsection>
<subsection identifier="/us/bill/116/hr/1000/tII/s202/b" id="H64A63515AA714B99B0A1F3B3F4450F72" class="indent0"><num value="b">(b) </num><heading><inline class="smallCaps">Project Timing</inline>.—</heading><content>The evaluation and approval process shall invite proposals not only for projects that are suitable for immediate implementation, but also for projects that can be rapidly implemented or expanded in the future when unemployment increases precipitously due to a recession or other causes. Projects approved for future implementation may receive immediate funding to undertake preparatory work necessary for the rapid implementation of the project when it is needed.</content></subsection>
<subsection identifier="/us/bill/116/hr/1000/tII/s202/c" id="H1950E9A674FA4F05B1840D7F24A7E4B1" class="indent0"><num value="c">(c) </num><heading><inline class="smallCaps">Monitoring and Technical Assistance</inline>.—</heading><content>The performance of grant recipients shall be monitored during as well as at the conclusion of a grant-funded project, and technical assistance shall be offered to grant recipients, as needed, to help insure the success of their grant-funded projects.</content></subsection>
<subsection identifier="/us/bill/116/hr/1000/tII/s202/d" id="H60D3D1CE4CF4427AB26E34582B16C557" class="indent0"><num value="d">(d) </num><heading><inline class="smallCaps">Post-Project Review</inline>.—</heading><content>A post-project review of the performance of every grant-funded projects shall be conducted and documented.</content></subsection></section>
<section identifier="/us/bill/116/hr/1000/tII/s203" id="H0505B5F9F1A74D2EBEDB12AAB9DDA63C"><num value="203">SEC. 203. </num><heading>OFFICE OF TECHNICAL ASSISTANCE.</heading><content class="block">The Secretary shall establish and administer an Office of Technical Assistance to advise and assist grant recipients and potential grant recipients in the identification and adoption of best practices in the design and administration of job creation projects, the preparation of grant proposals, the satisfaction of Program requirements, and the fulfillment of the Programs purposes.</content></section>
<section identifier="/us/bill/116/hr/1000/tII/s204" id="HCE17271BE3094196B0E1E7E86C92297A"><num value="204">SEC. 204. </num><heading>OFFICE OF EDUCATIONAL SUPPORT.</heading><content class="block">The Secretary shall establish and administer an Office of Educational Support to encourage and affirmatively assist Program employees who have not yet earned a high school diploma or its equivalent to complete his or her secondary education; and to counsel Program employees concerning post-secondary vocational and academic educational opportunities.</content></section>
<section identifier="/us/bill/116/hr/1000/tII/s205" id="HD69C2EC6392542CAA832E0DCAAB6B263"><num value="205">SEC. 205. </num><heading>OFFICE OF ASSISTED PLACEMENT.</heading><content class="block">The Secretary shall establish and administer an Office of Assisted Placement to coordinate the creation and operation of Assisted Placement Offices in all one-stop centers for the purpose of providing placement services to individuals eligible for such services under section 308.</content></section>
<section identifier="/us/bill/116/hr/1000/tII/s206" id="H1D1F1A7DFC8243BAA6B0A0DC0677DB26"><num value="206">SEC. 206. </num><heading>OFFICE OF DISPUTE RESOLUTION.</heading>
<subsection identifier="/us/bill/116/hr/1000/tII/s206/a" id="HFC0F8EE95F144DF2A1E4A82936DFE9BB" class="indent0"><num value="a">(a) </num><heading><inline class="smallCaps">In General</inline>.—</heading><content>The Secretary shall establish and administer an Office of Dispute Resolution to perform the dispute resolution functions described in section 313.</content></subsection>
<subsection identifier="/us/bill/116/hr/1000/tII/s206/b" id="HDD1881FD2E464ED2AA33265B586A9E9C" class="indent0"><num value="b">(b) </num><heading><inline class="smallCaps">Whistleblower Hotline</inline>.—</heading><content>The Secretary shall establish and administer both an online and telephone whistleblower hotline for the informal reportage of alleged violations of this Act. Provided enough information is furnished via the hotline to initiate an investigation, the matter shall be referred for appropriate follow up.</content></subsection>
<subsection identifier="/us/bill/116/hr/1000/tII/s206/c" id="HD33BF24C72504DD49854233E72085FA8" class="indent0"><num value="c">(c) </num><heading><inline class="smallCaps">South African CCMA Commended as Model</inline>.—</heading><content>The rules and procedures adopted by the Secretary for the resolution of disputes within the scope of section 313(b) shall be designed to insure a prompt and fair resolution of employment disputes in a process that is free of cost to the participants and easily navigated by all parties. To that end, the Congress commends the administrative practices and rules of the South African Commission for Conciliation, Mediation and Arbitration (CCMA) as a model for the dispute resolution system established under this section.</content></subsection></section>
<section identifier="/us/bill/116/hr/1000/tII/s207" id="HB3F0B69FB94F43B59C0FB68BDE498E08"><num value="207">SEC. 207. </num><heading>OFFICE OF STATISTICS AND RESEARCH.</heading>
<chapeau class="indent0">The Secretary shall establish and administer an Office of Statistics and Research to provide the public with useful information concerning the operations of the Program, to provide Program administrators with evidence-based guidance to aid them in their work, and to assist the Congress in its oversight of the Program. Employing rigorous social science methodologies, and with the advice and assistance of the Bureau of Labor Statistics where appropriate, the Office of Statistics and Research shall—</chapeau>
<paragraph identifier="/us/bill/116/hr/1000/tII/s207/1" id="HD5587D6F5C0C45E395293D3869621825" class="indent1"><num value="1">(1) </num><content>collect, tabulate, analyze, and report statistical data on labor market conditions that are relevant to Program operations;</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/tII/s207/2" id="H21947BE78A7D4CB1A6232941F0E9CBA7" class="indent1"><num value="2">(2) </num><content>undertake basic and applied research to guide Program administrators in the performance of their duties and to track the Programs success or lack thereof in combating various aspects of the problem of unemployment and the harmful effects associated with the problem of unemployment;</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/tII/s207/3" id="HC6AA38402BE14A5AA617E7152BFE6B1C" class="indent1"><num value="3">(3) </num><content>identify and disseminate information regarding best practices in Program design and implementation;</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/tII/s207/4" id="H779809448A3B4944AA00EC451B35A40D" class="indent1"><num value="4">(4) </num><content>catalogue basic information about each and every job creation project or job-training program funded by an Employment Opportunity Grant and create a permanent and easily accessible archive of this information on the Programs website;</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/tII/s207/5" id="HB6CDB95087A6494B8A8FB65CFC79D26D" class="indent1"><num value="5">(5) </num><content>develop methodologies to estimate and report the revenues and savings generated by the Program for various levels of government either directly through increased tax revenues or indirectly through reductions in other government expenditures; and</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/tII/s207/6" id="H58BA86BECF1A483F8020A869FF8AD190" class="indent1"><num value="6">(6) </num><content>carry out other research tasks in support of the Programs goals.</content></paragraph></section>
<section identifier="/us/bill/116/hr/1000/tII/s208" id="HB7EE0609763E4B2D85BB64277953E762"><num value="208">SEC. 208. </num><heading>NATIONAL EMPLOYMENT CONFERENCE.</heading>
<subsection identifier="/us/bill/116/hr/1000/tII/s208/a" id="H2BB873F147F34DC1BD290DAA15A98506" class="indent0"><num value="a">(a) </num><heading><inline class="smallCaps">In General</inline>.—</heading><content>The Secretary shall convene a national employment conference not later than 1 year after the date of enactment of this Act, and annually thereafter.</content></subsection>
<subsection identifier="/us/bill/116/hr/1000/tII/s208/b" id="H0A35C7F95C174AF29F551A4A4C864D49" class="indent0"><num value="b">(b) </num><heading><inline class="smallCaps">Purpose of Conference</inline>.—</heading><content>The purpose of the conference shall be to report on research concerning the operations of the Program and its role in addressing various aspects of the problems of unemployment, to share best practices in addressing such problems, and to address challenges in the administration of this Act.</content></subsection></section>
<section identifier="/us/bill/116/hr/1000/tII/s209" id="HF1F472B81697483F930D535107EE0285"><num value="209">SEC. 209. </num><heading>PROGRAM WEBSITE.</heading><content class="block">The Secretary shall establish and administer an internet website to provide the public with information concerning the Program and to archive information concerning its operations.</content></section>
<section identifier="/us/bill/116/hr/1000/tII/s210" id="H82FC5FE90ECB4750972B42BB444A94C2"><num value="210">SEC. 210. </num><heading>STAFFING ADMINISTRATIVE FUNCTIONS.</heading><content class="block">To the extent reasonably possible, the Secretary shall fill positions within the Programs administrative offices with individuals who are eligible for Program employment.</content></section>
<section identifier="/us/bill/116/hr/1000/tII/s211" id="HBA6ADB41BDFF490F8F3BC891C7393E97"><num value="211">SEC. 211. </num><heading>WORKFORCE INNOVATION AND OPPORTUNITY ACT.</heading>
<subsection identifier="/us/bill/116/hr/1000/tII/s211/a" id="H477D39E20E8B460D8DEC76C72F44E65A" class="indent0"><num value="a">(a) </num><heading><inline class="smallCaps">In General</inline>.—</heading><content>The Secretary shall make adjustments in the activities and programs administered by the Department of Labor under the WIOA as necessary or useful to serve the needs of this Act.</content></subsection>
<subsection identifier="/us/bill/116/hr/1000/tII/s211/b" id="H135376897C314B6CAB7F1074284DC7A9" class="indent0"><num value="b">(b) </num><heading><inline class="smallCaps">Expansion of Workforce Development Boards</inline>.—</heading><chapeau>To facilitate the implementation of the adjustments described in subsection (a) at the State and local level:</chapeau>
<paragraph role="instruction" identifier="/us/bill/116/hr/1000/tII/s211/b/1" id="H5B6345CCAAA042D9A64D57BB8B38DBBF" class="indent1"><num value="1">(1) </num><chapeau>Section 101(b)(1)(C) of the WIOA (<ref href="/us/usc/t29/s3111/b/1/C">29 U.S.C. 3111(b)(1)(C)</ref>) <amendingAction type="amend">is amended</amendingAction>—</chapeau>
<subparagraph identifier="/us/bill/116/hr/1000/tII/s211/b/1/A" id="H659E7259639B4EABBB6F69D85743D4C6" class="indent2"><num value="A">(A) </num><content>by <amendingAction type="delete">striking</amendingAction> “<quotedText>and</quotedText>” at the end of subclause (II);</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/1000/tII/s211/b/1/B" id="H470558058B9B49F29C093453B9F3CA8B" class="indent2"><num value="B">(B) </num><content>by <amendingAction type="insert">inserting</amendingAction> “<quotedText>and</quotedText>” at the end of subclause (III); and</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/1000/tII/s211/b/1/C" id="H4615CD49709146278B2A4BFF03A49834" class="indent2"><num value="C">(C) </num><content>by <amendingAction type="add">adding</amendingAction> at the end the following:
<quotedContent id="H71492586060C44D5B295FC9736357190" styleType="OLC">
<subclause id="HBB0DC48820E349BC828B7862E2CB0E51" class="indent4"><num value="IV">“(IV) </num><content>are not less than 25 percent of the chief executive officers of minority-serving, community-based organizations;”</content></subclause></quotedContent><inline role="after-quoted-block">.</inline></content></subparagraph></paragraph>
<paragraph role="instruction" identifier="/us/bill/116/hr/1000/tII/s211/b/2" id="H62BF7D60B9B04480A0AE878455305C8D" class="indent1"><num value="2">(2) </num><content>Section 107(b)(2)(C) of the WIOA (<ref href="/us/usc/t29/s3122/b/2/A">29 U.S.C. 3122(b)(2)(A)</ref>) <amendingAction type="amend">is amended</amendingAction> by <amendingAction type="add">adding</amendingAction> at the end the following:
<quotedContent id="H5B6A5E5835A941BD82F895BD5CB094BB" styleType="OLC">
<clause id="H7A455F1BCB554AF99196FE5E583B24A8" class="indent3"><num value="iv">“(iv) </num><content>shall include not less than 25 percent of the chief executive officers of minority-serving, community-based organizations;”</content></clause></quotedContent><inline role="after-quoted-block">.</inline></content></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/tII/s211/b/3" id="H512F78A2AA3E4688803E377AFD4D9DBA" class="indent1"><num value="3">(3) </num><heading><inline class="smallCaps">Effective date</inline>.—</heading><content>The amendments to the WIOA set forth in this subsection shall take effect as if enacted as part of the WIOA (<ref href="/us/usc/t29/s3101/etseq">29 U.S.C. 3101 et seq.</ref>).</content></paragraph></subsection></section></title>
<title identifier="/us/bill/116/hr/1000/tIII" id="HE7E2DE1551B844699E8A49FE718FBF74"><num value="III">TITLE III—</num><heading class="inline">EMPLOYMENT OPPORTUNITY GRANTS</heading>
<section identifier="/us/bill/116/hr/1000/tIII/s301" id="H8EBE00015E20438EBF8C9D19FE792A4D"><num value="301">SEC. 301. </num><heading>GRANTS.</heading>
<chapeau class="indent0">Subject to the availability of funds in the Trust Fund, the Secretary shall make grants to eligible entities for the purpose of creating—</chapeau>
<paragraph identifier="/us/bill/116/hr/1000/tIII/s301/1" id="H6ACEFA8EDE8041BABAC55F8E2AE605CC" class="indent1"><num value="1">(1) </num><content>employment opportunities for persons eligible for Program employment in projects designed to address community needs and reduce disparities in health, housing, education, job readiness, and public infrastructure that have impeded these communities from realizing their full economic potential; and</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/tIII/s301/2" id="H24F33501DADC40B3AF2461241332AE0E" class="indent1"><num value="2">(2) </num><chapeau>free-standing job-training programs that provide job training, possibly including general education, to—</chapeau>
<subparagraph identifier="/us/bill/116/hr/1000/tIII/s301/2/A" id="H2323ADFE1F7145FABEBD96A51594274B" class="indent2"><num value="A">(A) </num><content>Program employees pursuant to contractual arrangements between the training Program and their employer to provide the Program employees with specialized training needed for the performance of their jobs; or</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/1000/tIII/s301/2/B" id="H453C4B22D1B34BBFA3A4DEFC2FBB90C7" class="indent2"><num value="B">(B) </num><content>persons eligible for Program employment who seek such training rather than immediate employment in order to qualify for a Program or non-program job for which they otherwise would not qualify, provided that circumstances are such that the training Program is justified in providing reasonable assurances to the individuals enrolled in it that upon the successful completion of their training, they will be able to obtain a Program or non-program job that utilize their newly acquired skills.</content></subparagraph></paragraph></section>
<section identifier="/us/bill/116/hr/1000/tIII/s302" id="H6155E5498B2646D8B9A4D46FA50C54BE"><num value="302">SEC. 302. </num><heading>ELIGIBLE ENTITIES.</heading>
<chapeau class="indent0">Entities eligible to receive grants under this section shall include—</chapeau>
<paragraph identifier="/us/bill/116/hr/1000/tIII/s302/1" id="H43A8FA4D2C694890B2D843709A2C1DA9" class="indent1"><num value="1">(1) </num><content>departments and agencies of the Federal Government with the approval of the Secretary of the department or the head of the agency;</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/tIII/s302/2" id="H29708A9114F64E508F93551F31F08F9E" class="indent1"><num value="2">(2) </num><content>States, Indian Tribes, units of general local government, and urban counties;</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/tIII/s302/3" id="HDF069FAACEF641FF997B5B99A84F3ADA" class="indent1"><num value="3">(3) </num><content>agencies of the entities listed in paragraph (2) with the approval of the head of the agency or other person with the authority to make such commitments;</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/tIII/s302/4" id="HA96FCFDFB29E4BEB8575F10A79D75546" class="indent1"><num value="4">(4) </num><content>independent or quasi-independent public-sector agencies created by any level of government; and</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/tIII/s302/5" id="H2B67E3EEF32C4E3B8D746C19CAB63B9D" class="indent1"><num value="5">(5) </num><content>not-for-profit organizations that qualify as tax exempt under section 501(c)(1), (3), (5), or (19) of the Internal Revenue Code.</content></paragraph></section>
<section identifier="/us/bill/116/hr/1000/tIII/s303" id="HAC6117CE00304E158BF4FF444B308331"><num value="303">SEC. 303. </num><heading>USE OF FUNDS.</heading>
<chapeau class="indent0">Grants shall be awarded under this title for the following purposes:</chapeau>
<paragraph identifier="/us/bill/116/hr/1000/tIII/s303/1" id="HB8370655BE884B20992193E5D1AFE79B" class="indent1"><num value="1">(1) </num><content>The construction, reconstruction, rehabilitation, and site improvement of affordable housing and public facilities, including improvements in the energy efficiency or environmental quality of such public facilities or housing.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/tIII/s303/2" id="H92EA0DFC039143F395B2BF1ADF2E2FA7" class="indent1"><num value="2">(2) </num><content>The provision of human services, including childcare, health care, support services for individuals and families with special needs, education, after-school and vacation programs for children, and recreational and cultural enrichment programs for persons of all ages.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/tIII/s303/3" id="H97144C981A9843EEB564C40892D81CE6" class="indent1"><num value="3">(3) </num><content>Programs that provide disadvantaged youth with opportunities for employment, education, leadership development, entrepreneurial skills development, and training.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/tIII/s303/4" id="H8C76DD08C4F5448EB19434B1BFFB657E" class="indent1"><num value="4">(4) </num><content>The repair, remodeling, and beautification of schools, community centers, libraries, and other community-based public facilities, and the augmentation of staffing for the services they provide.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/tIII/s303/5" id="H37E5A7BF0FA243098F6F474DD7C2F2FA" class="indent1"><num value="5">(5) </num><content>The restoration and revitalization of abandoned and vacant properties to alleviate blight in distressed and foreclosure-affected areas.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/tIII/s303/6" id="HBB9CB38E096047F18A0E00DA43DDA1FB" class="indent1"><num value="6">(6) </num><content>The expansion of emergency food programs to reduce hunger and promote family stability.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/tIII/s303/7" id="H202D4C6440854268BF5F1C493F3819BE" class="indent1"><num value="7">(7) </num><content>The augmentation of staffing in Head Start, and other early childhood education programs to promote school readiness, early literacy, life-long learning, and family involvement in their childrens education.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/tIII/s303/8" id="H3AFC7803E6DE4D0B8F1C11BA771DAA48" class="indent1"><num value="8">(8) </num><content>The maintenance, renovation and improvement of parks, playgrounds, and other public spaces.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/tIII/s303/9" id="HA75C5A6CF7B24970B1BE34AFF512E67A" class="indent1"><num value="9">(9) </num><content>Providing labor for non-capital-intensive aspects of federally or State-funded infrastructure projects.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/tIII/s303/10" id="HB7A0BD2508D94B1181C6344D6F27F2E3" class="indent1"><num value="10">(10) </num><content>The implementation of environmental initiatives designed to conserve natural resources, remediate environmental damage, reverse climate change, and achieve environmental sustainability.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/tIII/s303/11" id="HE831E990735E4438B26F462301F0F5E4" class="indent1"><num value="11">(11) </num><content>The enhancement of emergency preparedness for natural and other community disasters and of post-emergency assistance for the victims of disasters.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/tIII/s303/12" id="H92C5BA5901CD4BB09A9A0ABFEF02313A" class="indent1"><num value="12">(12) </num><content>The expansion of work-study opportunities for secondary and post-secondary students, and the creation of “bridge employment” opportunities for recent graduates who have been unable to find work in the occupations for which they have trained.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/tIII/s303/13" id="HA6A68FE4DBCA400E8BCF534527F2169B" class="indent1"><num value="13">(13) </num><content>Programs that emulate the Federal art, music, theater, and writers projects of the Works Projects Administration by providing work for unemployed writers, musicians, artists, dancers and actors on projects that are consistent with the public service and equality-enhancing objectives of this Act.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/tIII/s303/14" id="H2740BAF4A0F04C6BA817429A67A35BB1" class="indent1"><num value="14">(14) </num><content>The provision of job training to better equip Program employees to perform their program-funded jobs or to allow unemployed and underemployed individuals to obtain employment for which they otherwise would not qualify.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/tIII/s303/15" id="H4014ABCA383648A3BC1F96E6BAF6A607" class="indent1"><num value="15">(15) </num><content>Other activities analogous to those described in paragraphs (1) through (14) that address public needs and can be implemented quickly.</content></paragraph></section>
<section identifier="/us/bill/116/hr/1000/tIII/s304" id="HCA22F6B58819459396423D40F21D43A4"><num value="304">SEC. 304. </num><heading>GRANT CONDITIONS.</heading>
<chapeau class="indent0">As a condition for receiving a grant under this title, a grant applicant must—</chapeau>
<paragraph identifier="/us/bill/116/hr/1000/tIII/s304/1" id="H8F5FCFAFB60B4AB18667DD233D513334" class="indent1"><num value="1">(1) </num><chapeau>show that it has, to the extent reasonably possible, consulted with community-based organizations, local government officials, and other interested parties concerning—</chapeau>
<subparagraph identifier="/us/bill/116/hr/1000/tIII/s304/1/A" id="H71BB63AAA66B42A6B859B6CD9F9409D4" class="indent2"><num value="A">(A) </num><content>the needs of the community to be served by the project(s) for which it is seeking funding;</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/1000/tIII/s304/1/B" id="HF98AD13A416A41BD9D3AB7B27F91AA7F" class="indent2"><num value="B">(B) </num><content>the ways in which its proposed project would serve those needs;</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/1000/tIII/s304/1/C" id="HFFC89B30000E41A7951354CEA23B6888" class="indent2"><num value="C">(C) </num><content>how it will coordinate its activities with other providers of related services in the community; and</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/1000/tIII/s304/1/D" id="H9AC0E962FAD24CB6B7ACA2203A3E15E6" class="indent2"><num value="D">(D) </num><content>how it will engage with local residents, community-based organizations, government officials, and other interested parties on an ongoing basis during the course of the project(s);</content></subparagraph></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/tIII/s304/2" id="H937064CA6210479D864D945D10FE32EE" class="indent1"><num value="2">(2) </num><content>agree to comply with the nondiscrimination policy set forth under section 109 of the Housing and Community Development Act of 1974 (<ref href="/us/usc/t42/s5309">42 U.S.C. 5309</ref>);</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/tIII/s304/3" id="HC51AF99BB9B2470E8EE067BF09C783D5" class="indent1"><num value="3">(3) </num><chapeau>with respect to the funds allocated for each project funded under the grant—</chapeau>
<subparagraph identifier="/us/bill/116/hr/1000/tIII/s304/3/A" id="H4E9E2535E656430EB01DC9EAEBBF448C" class="indent2"><num value="A">(A) </num><content>allocate not less than 75 percent for wages, benefits, and support services such as childcare for Program employees and the limited number of personnel who are permitted to be paid from Program funds under the terms of the grant even though they are not eligible for Program employment; and</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/1000/tIII/s304/3/B" id="HEA2DAC5092774B53BDBE11F1DE0F51E2" class="indent2"><num value="B">(B) </num><content>allocate the remaining funds to defray the nonlabor costs of the project, including necessary capital goods, supplies, materials, rental payments, transportation costs, and other similar expenses;</content></subparagraph></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/tIII/s304/4" id="H8FF873D4079E4A2EB3BDC7A4390234A8" class="indent1"><num value="4">(4) </num><chapeau>use revenue generated by a project funded under the grant (whether in the form of fees paid for services provided by the project, reimbursements for expenses incurred by the project, or income from the sale of goods or services produced by the project) to—</chapeau>
<subparagraph identifier="/us/bill/116/hr/1000/tIII/s304/4/A" id="H9DBF818821F94293BD1E7CF63665D2A3" class="indent2"><num value="A">(A) </num><content>supplement the grant-funded projects budget; or</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/1000/tIII/s304/4/B" id="HA006026403E548B5ACACC6727A9FA21C" class="indent2"><num value="B">(B) </num><content>support other projects funded by the grant in conformity with the same rules and requirements that apply to the use of grant funds;</content></subparagraph></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/tIII/s304/5" id="H3DEB4037C64A478E862D0A92F2FCD538" class="indent1"><num value="5">(5) </num><content>agree to return to the Trust Fund any unutilized grant monies and any unutilized income received from the sale of goods and services produced by a grant-funded project;</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/tIII/s304/6" id="HD8800613B09B44F88C470118CACCF633" class="indent1"><num value="6">(6) </num><content>ensure that any employment funded under the grant complies with sections 305, 306, and 307;</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/tIII/s304/7" id="H1057B370EB114D64BB5920E88A96A58B" class="indent1"><num value="7">(7) </num><content>institute an outreach program with community organizations and service providers in low-income communities to provide information about employment opportunities funded under the grant;</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/tIII/s304/8" id="HFFDF25E0F8CD461AB590CFF50A6D6E3E" class="indent1"><num value="8">(8) </num><content>ensure that not less than 35 percent of individuals employed under the grant qualify as disadvantaged, unless there are insufficient numbers of such individuals referable to the project by the local one-stop center, in which case the percentage of such individuals employed under the grant shall be as great as is reasonably possible;</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/tIII/s304/9" id="HE941A04EC99C4D22AB02F4CCC98F81A8" class="indent1"><num value="9">(9) </num><content>ensure that all grant-funded projects provide adequate job training, either in-house by the Program employer or by not-for-profit training programs under contract with the Program employer, to ensure that the Program employees they hire are able to perform their jobs in a professionally competent manner;</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/tIII/s304/10" id="H53EA92B60CBB41FBBA0D57D75AE9C6E8" class="indent1"><num value="10">(10) </num><content>agree to carry out all grant-funded projects in a manner that is as ecologically sustainable as is reasonably possible;</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/tIII/s304/11" id="H8C5BE1C1FE1A48358F97B107FCA30FAA" class="indent1"><num value="11">(11) </num><content>agree to cooperate with the efforts of the Office of Assisted Placement in providing Program employment or grant-funded training for individuals eligible for assisted placement under section 308; and</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/tIII/s304/12" id="H832C661453B84C2A89F0A44C7894622E" class="indent1"><num value="12">(12) </num><content>agree to cooperate with the procedures established by the Office of Dispute Resolution in resolving disputes in accord with the provisions of section 313.</content></paragraph></section>
<section identifier="/us/bill/116/hr/1000/tIII/s305" id="H72F77E1A0E8448398C0A002968A65A43"><num value="305">SEC. 305. </num><heading>PROGRAM EMPLOYMENT DESCRIBED.</heading>
<chapeau class="indent0">Employment funded under this section shall meet the following specifications:</chapeau>
<paragraph identifier="/us/bill/116/hr/1000/tIII/s305/1" id="H8C2A1981982D4DB4AD4CB11ABDB9F0FD" class="indent1"><num value="1">(1) </num><chapeau>Any employer that employs an individual whose employment is funded under the grant shall—</chapeau>
<subparagraph identifier="/us/bill/116/hr/1000/tIII/s305/1/A" id="HA9A47886445241F083FD4884502496DA" class="indent2"><num value="A">(A) </num><content>continue to employ such individual absent good cause for the termination of the individuals employment for as long as the project has need of the services provided by the individual or until the individual resigns, whichever comes first;</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/1000/tIII/s305/1/B" id="H6C10C82A30CB4F919B19603C45D45454" class="indent2"><num value="B">(B) </num><content>employ such individual for between 35 and 40 hours per week if the individual desires full-time employment, and for a mutually agreed number of hours per week less than 35 if the individual desires part-time employment, except that this requirement shall not apply if a grant recipients Employment Opportunity Grant provides otherwise for good cause shown during the application process;</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/1000/tIII/s305/1/C" id="H2ADAD767AFCD4B2EA1974C30C23F2124" class="indent2"><num value="C">(C) </num><content>comply with the responsible contractor standards of the Federal Acquisition Regulation (48 C.F.R. 1 et seq.);</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/1000/tIII/s305/1/D" id="H0FBE49DB991A43D7A3907CD37980A7B2" class="indent2"><num value="D">(D) </num><content>pursuant to guidelines established by the Secretary, provide compensation to such individual that is comparable in value to the compensation provided public sector employees who perform similar work in the community where such individual is employed or, if no public sector employees perform such similar work, provide compensation that is of comparable value to the compensation provided public sector employees hired to perform work of comparable worth in the community where such individual is employed;</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/1000/tIII/s305/1/E" id="HD45EB80E20E14FCFB4917C3104DDB490" class="indent2"><num value="E">(E) </num><content>if such employment is in construction, provide compensation to any laborer or mechanic employed under the grant at rates not less than those prevailing on similar construction in the locality as determined by the Secretary in accordance with <ref href="/us/usc/t40/ch31/schIV">subchapter IV of chapter 31 of title 40, United States Code</ref>; and</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/1000/tIII/s305/1/F" id="HD6F53868C03F405AA46C31452B0ABE87" class="indent2"><num value="F">(F) </num><chapeau>offer affirmative assistance to such individual in—</chapeau>
<clause identifier="/us/bill/116/hr/1000/tIII/s305/1/F/i" id="H903C8BD7CD5C4708AB656038400D9752" class="indent3"><num value="i">(i) </num><content>applying for social benefits for which such individual or the members of such individuals family may be eligible; and</content></clause>
<clause identifier="/us/bill/116/hr/1000/tIII/s305/1/F/ii" id="H251AA0E396BA416A834015CCAB2C1ED0" class="indent3"><num value="ii">(ii) </num><content>satisfying continuing reporting obligations required to maintain eligibility for social benefits such individual or the members of such individuals family are receiving.</content></clause></subparagraph></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/tIII/s305/2" id="H3AB8D2DE4EF14D43B4D9107AFE7DC74C" class="indent1"><num value="2">(2) </num><chapeau>Any grant recipient that operates a training Program funded under this title shall—</chapeau>
<subparagraph identifier="/us/bill/116/hr/1000/tIII/s305/2/A" id="HFD120BAD0A654FAEAFF5894AF693E2B2" class="indent2"><num value="A">(A) </num><content>provide Program trainees a cost-of-living stipend set pursuant to standards established by the Secretary and made payable to the Program trainee as long as the Program trainee maintains satisfactory attendance, participation, and progress in the training Program; and</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/1000/tIII/s305/2/B" id="H0BD22F7980AB406A91AEA1D69DFD7FAA" class="indent2"><num value="B">(B) </num><chapeau>offer affirmative assistance to individuals enrolled in the training program in—</chapeau>
<clause identifier="/us/bill/116/hr/1000/tIII/s305/2/B/i" id="H6017FF05D367430E8EE5348DCC48FFC9" class="indent3"><num value="i">(i) </num><content>applying for social benefits for which they or the members of their family may be eligible; and</content></clause>
<clause identifier="/us/bill/116/hr/1000/tIII/s305/2/B/ii" id="H922CECDE28FC48F0949B7323C6E32BFB" class="indent3"><num value="ii">(ii) </num><content>satisfying continuing reporting obligations required to maintain eligibility for social benefits they or members of their family are receiving.</content></clause></subparagraph></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/tIII/s305/3" id="H2B9FB5471A0C4074B03608AF58B1D160" class="indent1"><num value="3">(3) </num><chapeau>No individual whose employment is funded under this Act may work for an employer at which a collective bargaining agreement is in effect covering the same or similar work, unless—</chapeau>
<subparagraph identifier="/us/bill/116/hr/1000/tIII/s305/3/A" id="HA675F92C1C6F45ED8B7BFE7195735E5E" class="indent2"><num value="A">(A) </num><content>the consent of the union at such employer is obtained; and</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/1000/tIII/s305/3/B" id="H5856CED233B340E99C07928BBBCC7E1C" class="indent2"><num value="B">(B) </num><content>negotiations have taken place between such union and the employer as to the terms and conditions of such employment.</content></subparagraph></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/tIII/s305/4" id="H745D501D7F0F4EA5A065CCA9C2E2DA6A" class="indent1"><num value="4">(4) </num><content>No individual may be hired by a not-for-profit organization in a position funded under this Act to perform functions or services that are customarily performed, either exclusively or almost exclusive by a Unit of General Local Government unless the Unit of General Local Government in question refuses to apply for Program funding to expand or improve its own performance of the functions or services in question.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/tIII/s305/5" id="HB087984D092646849E8ACF5D75827A92" class="indent1"><num value="5">(5) </num><chapeau>No individual whose employment is funded under this Act may be employed in a position if—</chapeau>
<subparagraph identifier="/us/bill/116/hr/1000/tIII/s305/5/A" id="H8084F495A3814FF2AFBB6B30C69F2C3C" class="indent2"><num value="A">(A) </num><content>employing such individual will result in the layoff or partial displacement (such as a reduction in hours, wages, or employee benefits) of an existing employee of the employer; or</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/1000/tIII/s305/5/B" id="HFD4F44B5DF0041D2AC7EA9E340E34958" class="indent2"><num value="B">(B) </num><content>such individual will perform the same or substantially similar work that had previously been performed by an employee of the employer who has been laid off within the preceding 12 months or has been partially displaced as that term is described in subparagraph (A) unless the employee has declined an offer of reinstatement to the position the employee occupied immediately prior to being laid off or partially displaced.</content></subparagraph></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/tIII/s305/6" id="H0C6F70F811324F7C829D82A671C19DCD" class="indent1"><num value="6">(6) </num><content>No individual may be hired for a position funded under this Act in a manner that infringes upon the promotional opportunities of an existing employee of the Program employer.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/tIII/s305/7" id="H7D8379DA77F1448EBE686FE495C4F2AC" class="indent1"><num value="7">(7) </num><content>Program employees shall qualify as public sector employees for purposes of all otherwise applicable Federal, State, and local laws.</content></paragraph></section>
<section identifier="/us/bill/116/hr/1000/tIII/s306" id="HF5303E1B3E4244F9A2004533E7A900B6"><num value="306">SEC. 306. </num><heading>ELIGIBILITY FOR PROGRAM EMPLOYMENT.</heading>
<subsection identifier="/us/bill/116/hr/1000/tIII/s306/a" id="HB392E5A153A149868E2D1D7D92CD843C" class="indent0"><num value="a">(a) </num><heading><inline class="smallCaps">Certification by One-Stop Center</inline>.—</heading><content>An individual seeking Program employment shall have his or her eligibility for such employment certified by a one-stop center serving the area where the Program employment is located.</content></subsection>
<subsection identifier="/us/bill/116/hr/1000/tIII/s306/b" id="H7EB989E2603F4C8280E99AA6A82C7208" class="indent0"><num value="b">(b) </num><heading><inline class="smallCaps">Requirements for Certification</inline>.—</heading><chapeau>To be certified as eligible for such employment, the individual must satisfy at least one of the following conditions as of the date the individual is hired to fill a job funded under this Act:</chapeau>
<paragraph identifier="/us/bill/116/hr/1000/tIII/s306/b/1" id="H054C0DA9D9C54EF09CD6D3D6F62CCBDC" class="indent1"><num value="1">(1) </num><content>The individual has been unemployed for less than 30 days and is eligible to receive Unemployment Insurance benefits.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/tIII/s306/b/2" id="H83A18F62B3C446B39B1CF44E2BA003B2" class="indent1"><num value="2">(2) </num><content>The individual is unemployed and has been registered at and seeking employment with the assistance of a one-stop center for not less than 30 days prior to the date on which the individual is so hired.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/tIII/s306/b/3" id="H852D5FC7A8C2455F9BCE48FFAE542C7A" class="indent1"><num value="3">(3) </num><content>The individual has been employed part-time while registered at and seeking full-time employment with the assistance of a one-stop center for not less than 30 days prior to the date the individual is so hired.</content></paragraph></subsection>
<subsection identifier="/us/bill/116/hr/1000/tIII/s306/c" id="H8DC48EEB5B4E415AB2C15A819FB1C91D" class="indent0"><num value="c">(c) </num><heading><inline class="smallCaps">Availability for Non-Program Employment</inline>.—</heading>
<paragraph identifier="/us/bill/116/hr/1000/tIII/s306/c/1" id="H45F822153BDF4DD3A401847D02AE96A5" class="indent1"><num value="1">(1) </num><content>All Program employees shall be automatically registered with the one-stop center serving the area where the individual resides as available for and seeking work.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/tIII/s306/c/2" id="H90D775D668724CAC840736D86024E642" class="indent1"><num value="2">(2) </num><content>The one-stop center serving the area where a Program employee resides shall screen inquiries from employers concerning available jobs and forward those that seem suitable to qualified Program employees.</content></paragraph>
<paragraph role="definitions" identifier="/us/bill/116/hr/1000/tIII/s306/c/3" id="H8C0AC89E6C584FD1BF2105BA067F3FE0" class="indent1"><num value="3">(3) </num><chapeau>For purposes of paragraph (2), the term “<term>suitable</term>”, used with respect to a job, means an offer of employment that—</chapeau>
<subparagraph identifier="/us/bill/116/hr/1000/tIII/s306/c/3/A" id="HF2FF609F881E44EA8A3AE6F0F354C5C0" class="indent2"><num value="A">(A) </num><content>a newly unemployed individual who has just begun receiving Unemployment Insurance benefits would be required to accept in order to avoid forfeiting their eligibility for continued receipt of such benefits under the laws of the State in which the Program employee is employed; and</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/1000/tIII/s306/c/3/B" id="H2EAAA2FF89DC4C2BA0A9F9752E08A5F4" class="indent2"><num value="B">(B) </num><content>is reasonably expected to last at least 6 months.</content></subparagraph></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/tIII/s306/c/4" id="H07F17563FC344EC6A98FF5FB8142A7F4" class="indent1"><num value="4">(4) </num><content>Program employees shall be provided time off with pay to respond to inquiries regarding suitable non-Program job openings.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/tIII/s306/c/5" id="H8F65C48D74CC412B9EB7C84FA044B941" class="indent1"><num value="5">(5) </num><chapeau>A Program employee who refuses a suitable job offer resulting from such an inquiry without good cause shall—</chapeau>
<subparagraph identifier="/us/bill/116/hr/1000/tIII/s306/c/5/A" id="HFD18B63570C340B7AB0528508A42A521" class="indent2"><num value="A">(A) </num><content>forfeit their eligibility for Program employment for a period of 30 days, subject to the same procedures and right of appeal that applies to recipients of Unemployment Insurance who refuse suitable employment; and</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/1000/tIII/s306/c/5/B" id="HF96B6885D1C54F3B990423D61D0BEF32" class="indent2"><num value="B">(B) </num><content>maintain their eligibility for Program employment until such proceedings are completed.</content></subparagraph></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/tIII/s306/c/6" id="H66700A47380B4410816D30767C43291A" class="indent1"><num value="6">(6) </num><content>A Program employee who terminates their Program employment in order to accept other employment, and who subsequently is terminated from that other employment without fault on the individuals part, or who terminates that employment voluntarily for good cause, shall be eligible for immediate reemployment in a job funded under this Act.</content></paragraph></subsection>
<subsection identifier="/us/bill/116/hr/1000/tIII/s306/d" id="HF045AC6F84944E37A29781B367986CCD" class="indent0"><num value="d">(d) </num><heading><inline class="smallCaps">Involuntary Termination of Program Employment</inline>.—</heading>
<paragraph identifier="/us/bill/116/hr/1000/tIII/s306/d/1" id="H2D2977E8064542D3AD679AD85FC540EB" class="indent1"><num value="1">(1) </num><content>A Program employee who is involuntarily terminated from their Program Job for inadequate performance of job responsibilities shall not lose their eligibility for employment in another Program-funded job.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/tIII/s306/d/2" id="H39218BE41898468D8E916964E34AA64D" class="indent1"><num value="2">(2) </num><content>A Program employee who is involuntarily terminated for misconduct shall lose their eligibility for Program employment for 30 days.</content></paragraph></subsection></section>
<section identifier="/us/bill/116/hr/1000/tIII/s307" id="HC2D33993BC434E9CB7F56705358B92EF"><num value="307">SEC. 307. </num><heading>COMPENSATION.</heading>
<chapeau class="indent0">For purposes of section 305(1)(D)—</chapeau>
<paragraph role="definitions" identifier="/us/bill/116/hr/1000/tIII/s307/1" id="HBF8A09B22045413895ECC110649A4D1F" class="indent1"><num value="1">(1) </num><content>The term “<term>compensation</term>” shall mean hourly wage rates, paid and unpaid leave time, retiree benefits, group life insurance, disability insurance, and health benefits.</content></paragraph>
<paragraph role="definitions" identifier="/us/bill/116/hr/1000/tIII/s307/2" id="HF000EA4C2E9A46DFB6D0AE4FC1D76BA1" class="indent1"><num value="2">(2) </num><chapeau>The term “<term>comparable in value</term>” shall mean—</chapeau>
<subparagraph identifier="/us/bill/116/hr/1000/tIII/s307/2/A" id="HB304B6EF72144CD08AAD94F6E78B12F5" class="indent2"><num value="A">(A) </num><content>as regards hourly wage rates, the same hourly wage rate;</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/1000/tIII/s307/2/B" id="H25AF93BE075E4BC1B54FBF9E3D314DAA" class="indent2"><num value="B">(B) </num><content>as regards paid and unpaid leave time, the same paid and unpaid leave time;</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/1000/tIII/s307/2/C" id="H7D87A93473584B758934CEB9B47A6E55" class="indent2"><num value="C">(C) </num><content>as regards retiree benefits, a defined contribution benefit of comparable actuarial value provided in a plan established and administered by the Secretary;</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/1000/tIII/s307/2/D" id="HB09F6BAE980E43779E98FCF778399D3F" class="indent2"><num value="D">(D) </num><content>as regards group life and disability insurance benefits, an actuarially equivalent benefit provided in a plan established and administered by the Secretary; and</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/1000/tIII/s307/2/E" id="H75301F89640549C5BE475DAFFFB46E2A" class="indent2"><num value="E">(E) </num><content>as regards health benefits, access to health insurance that provides approximately the same level of benefits for approximately the same employee contribution under the provisions of paragraph (3).</content></subparagraph></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/tIII/s307/3" id="HD48989B23BC942D48824F1BB944AE4BA" class="indent1"><num value="3">(3) </num><chapeau>Unless a Program Grant provides otherwise for good cause shown by the grant applicant, a Program employer shall satisfy the requirements of this section relating to the provision of health benefits by providing affirmative assistance to each of its Program employees in obtaining health benefits through a State Health Exchange, as permitted by the following exceptions to the ACA that apply only to Program employees as hereby enacted:</chapeau>
<subparagraph identifier="/us/bill/116/hr/1000/tIII/s307/3/A" id="HDBB042B59D0C4207A9A0172A53B49477" class="indent2"><num value="A">(A) </num><content>The acquisition by a Program employee of such benefits through a Health Exchange shall not trigger tax penalties that would otherwise apply to the employee or the employees employer under the ACA.</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/1000/tIII/s307/3/B" id="H16BF269093ED49EBB7D1026DE99C7A1B" class="indent2"><num value="B">(B) </num><content>Program employees who apply for health benefits under this paragraph shall be eligible for the same State Health Subsidy Programs as employed individuals who do not have access to an “eligible employer-sponsored plan” as that term is defined in <ref href="/us/usc/t26/s5000A/f/2">section 5000A(f)(2) of title 26, United States Code</ref>.</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/1000/tIII/s307/3/C" id="HF208F22517E54998805B389F35EC4C95" class="indent2"><num value="C">(C) </num><content>Any premiums a Program employee is required to pay for a health plan obtained under this subparagraph shall be paid by the employees Program employer via payroll deductions.</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/1000/tIII/s307/3/D" id="H7B909D912A3843B78E149EBCEF82659F" class="indent2"><num value="D">(D) </num><content>A Program employees wages shall be adjusted on an individual basis to the extent necessary to satisfy the comparable-value requirement of section 305(1)(D) taking into consideration the tax treatment accorded any additions or subtractions from the employees wages required to satisfy that comparable-value requirement.</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/1000/tIII/s307/3/E" id="H9522FCDB59BE42CFB0F59A403BEB6BB4" class="indent2"><num value="E">(E) </num><content>Program employers shall not be subject to the penalty set forth in <ref href="/us/usc/t26/s4980D">section 4980D of title 26, United States Code</ref>, based on wage adjustments that comply with this paragraph.</content></subparagraph></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/tIII/s307/4" id="H1D07B4B777DB4B69B26964AE0B5E463E" class="indent1"><num value="4">(4) </num><content>In consideration for the savings the Program established under this Act will generate in health care spending by all levels of government, the subsidy costs borne by the Federal Government or by State and local governments in providing health benefits to Program employees under paragraph (3) shall not be chargeable to or reimbursed from the Programs budget.</content></paragraph>
<paragraph role="instruction" identifier="/us/bill/116/hr/1000/tIII/s307/5" id="HC0D81797351E40C5B34D56CA94A84B9E" class="indent1"><num value="5">(5) </num><chapeau>Chapter 43 of the Internal Revenue Code of 1986 <amendingAction type="amend">is amended</amendingAction> by—</chapeau>
<subparagraph identifier="/us/bill/116/hr/1000/tIII/s307/5/A" id="H0B4A405FE737448CAE8F8C3D0A6630D1" class="indent2"><num value="A">(A) </num><content>renumbering section 4980D(c)(4) as section 4980D(c)(5); and</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/1000/tIII/s307/5/B" id="H2B0D5C97B981469E9D7B87B18F9E59C1" class="indent2"><num value="B">(B) </num><content><amendingAction type="insert">inserting</amendingAction> the following new section 4980D(c)(4):
<quotedContent id="H87BA9788B64F45EE8032B7A4E6C2981C" styleType="OLC">
<paragraph id="HA8EDF12EB4574E92B1A05E172A96F84C" class="indent1"><num value="4">“(4) </num><heading><inline class="smallCaps">Tax not to apply to certain premium reimbursements</inline>.—</heading><content>No tax shall be imposed by subsection (a) on payments or reimbursements of health insurance premiums made pursuant to section 307(3)(C) or (D) of the Jobs for All Act.”</content></paragraph></quotedContent><inline role="after-quoted-block">.</inline></content></subparagraph></paragraph>
<paragraph role="instruction" identifier="/us/bill/116/hr/1000/tIII/s307/6" id="H77EA902006D744119B00C13DB5E868FF" class="indent1"><num value="6">(6) </num><content>Chapter 1 of the Internal Revenue Code of 1986 <amendingAction type="amend">is amended</amendingAction> by <amendingAction type="insert">inserting</amendingAction> after section 106(g) the following new subsection (h):
<quotedContent id="HB8FF0A30419D4D2DA1FB8C35B19E897A" styleType="OLC">
<subsection id="HBF02917BB56D42F4AAF2C50C9A946A39" class="indent0"><num value="h">“(h) </num><heading><inline class="smallCaps">Reimbursements of Certain Health Insurance Premiums</inline>.—</heading><content>For purposes of this section, payments or reimbursements of health insurance premiums made pursuant to section 307(3)(C) or (D) of the Jobs for All Act shall not be included in the gross income of the employee.”</content></subsection></quotedContent><inline role="after-quoted-block">.</inline></content></paragraph></section>
<section identifier="/us/bill/116/hr/1000/tIII/s308" id="H4D5EC7FD589F4CEDB3BF1A1CEF6D41A2"><num value="308">SEC. 308. </num><heading>ASSISTED PLACEMENT.</heading>
<subsection identifier="/us/bill/116/hr/1000/tIII/s308/a" id="HD001F9DDD5164CC7A8DD6B2AFD1CFF84" class="indent0"><num value="a">(a) </num><heading><inline class="smallCaps">Individuals Eligible for Assisted Placement</inline>.—</heading><chapeau>Individuals eligible for assisted placement shall include—</chapeau>
<paragraph identifier="/us/bill/116/hr/1000/tIII/s308/a/1" id="H0A0CF147096449379E6C15EA61FBB804" class="indent1"><num value="1">(1) </num><content>individuals who have been unable to find Program employment within 30 days following the certification of their eligibility for such employment;</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/tIII/s308/a/2" id="H474713C41C2548F7BA3AC7310413C1BE" class="indent1"><num value="2">(2) </num><content>individuals who are certified as eligible for assisted placement by a one-stop center because of special circumstances that make it unlikely the individual will be able to find employment within a reasonable period of time without assisted placement services; and</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/tIII/s308/a/3" id="HB8515631A4B54162980ACD4F0B0E5E0C" class="indent1"><num value="3">(3) </num><chapeau>individuals whose qualifications and work experience are such that they need additional training to qualify for a job that pays enough to meet their own and their dependents reasonable needs.</chapeau>
<subparagraph role="definitions" identifier="/us/bill/116/hr/1000/tIII/s308/a/3/A" id="H7F0EA11427644AE49405DA0FBF17E40D" class="indent2"><num value="A">(A) </num><content>For purposes of this paragraph and subsection (c) of this section, the term “<term>dependents</term>” shall mean persons claimable as dependents on the individuals Federal income tax return.</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/1000/tIII/s308/a/3/B" id="H654E01B181DD4AF2A936B3E01B1005E0" class="indent2"><num value="B">(B) </num><content>The Secretary shall engage in notice-and-comment rulemaking to establish a methodology for developing reasonable-needs standards for use in implementing this paragraph.</content></subparagraph></paragraph></subsection>
<subsection identifier="/us/bill/116/hr/1000/tIII/s308/b" id="HD7BA400436F54E038BD7510BA4660B33" class="indent0"><num value="b">(b) </num><heading><inline class="smallCaps">Assisted Placement Services</inline>.—</heading><chapeau>Upon the registration of an eligible individual for assisted placement services, the Assisted Placement Office shall—</chapeau>
<paragraph identifier="/us/bill/116/hr/1000/tIII/s308/b/1" id="H7D603E9891BD494086B89785B176EB8F" class="indent1"><num value="1">(1) </num><content>assess the individuals qualifications for employment and his or her interests in particular kinds of employment or training;</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/tIII/s308/b/2" id="H58C28847B7954A3681ADF77EB319F6C2" class="indent1"><num value="2">(2) </num><content>identify opportunities for Program employment that appear to be suitable for the individual in light of the individuals qualifications and interests, along with any training opportunities that also may be of interest to the individual;</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/tIII/s308/b/3" id="H7F93EDB2E7C74F78B4D3C867A28A11E8" class="indent1"><num value="3">(3) </num><content>discuss these opportunities for Program employment and training with the individual;</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/tIII/s308/b/4" id="HCD3EF8DF812B4254A443183DC498D85D" class="indent1"><num value="4">(4) </num><content>for those opportunities the individual expresses an interest in pursuing, contact the grant recipient offering the opportunity, remind the grant recipient of its obligation to cooperate with the Assisted Placement Office in placing individuals in Program employment or desired training, and arrange an interview for the individual to explore whether a mutually acceptable placement is possible with the grant recipient;</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/tIII/s308/b/5" id="HA088C632FABA4991BA505F7368F73810" class="indent1"><num value="5">(5) </num><content>follow up with both the individual and grant recipients to whom the individual has been referred to ascertain whether a placement has been achieved, and if not why;</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/tIII/s308/b/6" id="HFEBC302472124407A7AFDD156C8D5707" class="indent1"><num value="6">(6) </num><content>provide individual counseling and support services for individuals eligible for assisted placement as needed to achieve a successful placement;</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/tIII/s308/b/7" id="H789BA91B8EF2427EBEAF57286FEA8A62" class="indent1"><num value="7">(7) </num><content>provide support services and additional funding to grant recipients, as needed, to accommodate the special needs of individuals who need such accommodation to find and succeed in Program employment or training; and</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/tIII/s308/b/8" id="HF2E82EF4FE734FC9904A17FFBA47F0E1" class="indent1"><num value="8">(8) </num><content>continue to work with the individual until a successful placement in Program employment or grant-funded training has been achieved, or until the Assisted Placement Office concludes, supported by adequate documentation, that the individual is unable or unwilling to provide the level of cooperation required to obtain and succeed in Program employment or grant-funded training, in which case the Assisted Placement Office shall offer assistance to the individual in arranging appropriate services to address the problems that are interfering with the individuals ability to find and succeed in Program employment or training.</content></paragraph></subsection>
<subsection identifier="/us/bill/116/hr/1000/tIII/s308/c" id="H7F02C89D999D41B699D67E9356A6CD90" class="indent0"><num value="c">(c) </num><heading><inline class="smallCaps">Additional Assistance Available</inline>.—</heading><chapeau>To the extent necessary to ensure that individuals who qualify for assisted placement under this section are able to earn enough to meet their own reasonable needs and those of their dependents, the Assisted Placement Office shall have the authority—</chapeau>
<paragraph identifier="/us/bill/116/hr/1000/tIII/s308/c/1" id="H2C3223EA3A5A4BFEB183F779B4A9F117" class="indent1"><num value="1">(1) </num><content>to arrange preferential placement for such individuals in grant-funded training programs, and following the completion of their training, provide assisted placement services to such individuals to ensure that they secure employment inside or outside the Program in a job that utilizes their newly acquired skills;</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/tIII/s308/c/2" id="HFB4B06FFF55746C1A33C1B8FD65BE767" class="indent1"><num value="2">(2) </num><content>to the extent necessary, to meet their reasonable needs, provide such individuals with preferential access to goods and services produced by the Program, such as affordable housing and childcare services;</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/tIII/s308/c/3" id="HA9CA1DCF42674CA7A856918DFF223136" class="indent1"><num value="3">(3) </num><content>to supplement the income of such individuals with the equivalent of a voucher for housing assistance under section 8(o) of the United States Housing Act of 1937, if such a voucher is not otherwise available; and</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/tIII/s308/c/4" id="H4E72FF7CF737422384674D8233AF10F8" class="indent1"><num value="4">(4) </num><content>to furnish such individuals with other income supplements that expand eligibility for or add value to the Earned Income Tax Credit (<ref href="/us/usc/t26/s32">26 U.S.C. 32</ref>), the Child Tax Credit (<ref href="/us/usc/t26/s24">26 U.S.C. 24</ref>), or the Low Income Home Energy Assistance program (<ref href="/us/usc/t42/s8621/etseq">42 U.S.C. 8621 et seq.</ref>).</content></paragraph></subsection>
<subsection identifier="/us/bill/116/hr/1000/tIII/s308/d" id="H8413E5D5E11A477A91E319BD7A90C824" class="indent0"><num value="d">(d) </num><heading><inline class="smallCaps">Grant Recipients Obligation To Cooperate</inline>.—</heading><content>Grant recipients shall cooperate with efforts to provide assisted placement to individuals eligible for assisted placement under subsection (a). This duty shall mean, among other things, that a grant recipients must have good cause to refuse Program employment to a person referred to it for assisted placement.</content></subsection></section>
<section identifier="/us/bill/116/hr/1000/tIII/s309" id="HD20CA500E9604702988077AC7B79759A"><num value="309">SEC. 309. </num><heading>PRIORITY GIVEN TO CERTAIN PROJECTS.</heading>
<chapeau class="indent0">Priority in the award of Employment Opportunity Grants shall be accorded to projects that—</chapeau>
<paragraph identifier="/us/bill/116/hr/1000/tIII/s309/1" id="H0DF3D27C41FF409FA4E393FC29044BCD" class="indent1"><num value="1">(1) </num><content>provide goods and services, such as childcare, transportation, affordable housing, job training, and peer support, that make it easier for individuals who want to work to do so; or</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/tIII/s309/2" id="HF3669560DF4D41ED82A83E9712AE8A93" class="indent1"><num value="2">(2) </num><chapeau>serve areas with the greatest level of economic need, determined for each such area by factors such as—</chapeau>
<subparagraph identifier="/us/bill/116/hr/1000/tIII/s309/2/A" id="H73FE6777BAC946BEBA8CBCF9CF85F2B0" class="indent2"><num value="A">(A) </num><content>the unemployment rate;</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/1000/tIII/s309/2/B" id="H69CBEDBA08C74EB28A3385FBC5507779" class="indent2"><num value="B">(B) </num><content>the rate of poverty;</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/1000/tIII/s309/2/C" id="HDB0319718C694D0EB208DDD287E368A4" class="indent2"><num value="C">(C) </num><content>the number of census tracts in the area with concentrated poverty;</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/1000/tIII/s309/2/D" id="HBFA11B3E798A427792E2B8993E840D9E" class="indent2"><num value="D">(D) </num><content>the level of median income in the area;</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/1000/tIII/s309/2/E" id="H0CDC48DD1F6149C998EDC01513669AF3" class="indent2"><num value="E">(E) </num><content>the percentage of residential units in the area that appear to have been abandoned;</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/1000/tIII/s309/2/F" id="HD74C1677B89D4BC8A2A2A1387D58546F" class="indent2"><num value="F">(F) </num><content>the percentage of homes in the area that are in foreclosure; and</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/1000/tIII/s309/2/G" id="H9CC4C2B50B91486DBADCCFA122723EF2" class="indent2"><num value="G">(G) </num><content>indicators of poor resident health, including high rates of chronic disease, infant mortality, and low life expectancy.</content></subparagraph></paragraph></section>
<section identifier="/us/bill/116/hr/1000/tIII/s310" id="H410A39708A7A48EB82495041AD0E2A75"><num value="310">SEC. 310. </num><heading>STARTUP PERIOD.</heading>
<chapeau class="indent0">Since it will take time for the Program established by this Act to develop the project-management experience and project-development capacity needed to fully achieve the Acts goals, the Secretary shall have the authority to establish reasonable priorities in planning and executing the implementation of this Act, provided—</chapeau>
<paragraph identifier="/us/bill/116/hr/1000/tIII/s310/1" id="H172D0C0B2DD5414DA24730A06DFFF393" class="indent1"><num value="1">(1) </num><content>the number of jobs created in each community during the startup period is roughly proportionate to the level of unemployment, involuntary part-time employment, and non-labor force participation by persons who want and are available to accept jobs in each community, and</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1000/tIII/s310/2" id="HE01B66778A644AFB86E3C2534A2AB52C" class="indent1"><num value="2">(2) </num><content>the type of jobs created in each community disproportionately favor those individuals and population groups who enjoy the fewest alternative employment opportunities.</content></paragraph></section>
<section identifier="/us/bill/116/hr/1000/tIII/s311" id="H4B45C7F213F44523811DFF65AC84D855"><num value="311">SEC. 311. </num><heading>SECRETARYS AUTHORITY TO ADMINISTER PROJECTS DIRECTLY.</heading>
<subsection identifier="/us/bill/116/hr/1000/tIII/s311/a" id="HCB3E2EC459AC4238AB464273AA4425F0" class="indent0"><num value="a">(a) </num><heading><inline class="smallCaps">In General</inline>.—</heading><content>The Secretary shall have the authority to use Trust Fund monies to establish and directly administer job creation projects during the startup period provided for in section 310.</content></subsection>
<subsection identifier="/us/bill/116/hr/1000/tIII/s311/b" id="HFC7C559182AB47F8A65D00684B3AC362" class="indent0"><num value="b">(b) </num><heading><inline class="smallCaps">When the Startup Period Has Ended</inline>.—</heading><content>Once the startup period described in section 125 has ended, the Secretary shall have a continuing obligation to ensure the availability of enough jobs to provide suitable work for everyone who wants it everywhere in the Nation, including by the direct administration of job creation projects to the extent necessary or useful in achieving the purposes of this Act.</content></subsection></section>
<section identifier="/us/bill/116/hr/1000/tIII/s312" id="H9D79381935094F03A598B40435EB510E"><num value="312">SEC. 312. </num><heading>REPORTS.</heading>
<subsection identifier="/us/bill/116/hr/1000/tIII/s312/a" id="HC6F3C30C0B9C472988C8C4D04786DC2B" class="indent0"><num value="a">(a) </num><heading><inline class="smallCaps">Reports by Grant Recipients</inline>.—</heading><content>Not later than 90 days after the last day of each fiscal year for which grant funding has been provided under this title, grant recipients shall submit to the Secretary a report containing such information as the Secretary requires concerning their use of their grant.</content></subsection>
<subsection identifier="/us/bill/116/hr/1000/tIII/s312/b" id="H8CD5DE1F7EFA46B1AD814B22FB7E2831" class="indent0"><num value="b">(b) </num><heading><inline class="smallCaps">Report to Congress</inline>.—</heading><content>At least once every 6 months, the Secretary shall report to Congress on the Acts implementation and effects.</content></subsection></section>
<section identifier="/us/bill/116/hr/1000/tIII/s313" id="H0D2EA4B224664B5DB0215D147A873F32"><num value="313">SEC. 313. </num><heading>DISPUTE RESOLUTION.</heading>
<subsection identifier="/us/bill/116/hr/1000/tIII/s313/a" id="H455F47BE649440F787B618224ADA0FFD" class="indent0"><num value="a">(a) </num><heading><inline class="smallCaps">Disputes Concerning the Allocation or Use of Program Funds</inline>.—</heading><content>Alleged improprieties involving the allocation or use of Program funds, including, without limitation, alleged violations of paragraph (3), (4), or (5) of section 304, shall be investigated by the Office of Dispute Resolution pursuant to rules and procedures established by the Secretary. Those rules and procedures shall be designed to ensure a prompt and fair review of the contested matter based on the obligation of all interested parties to full and transparent cooperation with the investigation. A failure to provide such cooperation shall be deemed to support a conclusion that the information being sought would be adverse to the noncooperating partys interests. Any administrative response ordered by the Office of Dispute Resolution as a result of its investigation shall be designed to further the goals and integrity of the Program.</content></subsection>
<subsection identifier="/us/bill/116/hr/1000/tIII/s313/b" id="H2F14B9C27E05482A9D855AD94BD5D85D" class="indent0"><num value="b">(b) </num><heading><inline class="smallCaps">Disputes Arising Out of Program Employment and Training</inline>.—</heading><content>Disputes regarding an individuals eligibility for Program employment or training, the terms and conditions of the individuals Program employment or training, the imposition of discipline on a Program employee or Program trainee, the involuntary termination of an individuals Program employment or training, or any other individual right, whether created by this Act or based on otherwise existing law, may be submitted by the adversely affected individual for resolution pursuant to the rules and procedures established for the resolution of such disputes by the Office of Dispute Resolution.</content></subsection>
<subsection identifier="/us/bill/116/hr/1000/tIII/s313/c" id="H5C7937E1108942A59E055BC9B0CA8C09" class="indent0"><num value="c">(c) </num><heading><inline class="smallCaps">Waiver of Rights</inline>.—</heading><content>For disputes falling within the scope of subsection (b), the election by an individual to pursue a legal remedy other than that provided by the Programs dispute resolution system shall automatically waive the individuals right to submit the dispute to the Programs dispute resolution system unless all parties to the dispute agree to the termination of the other legal proceeding and the submission of the dispute for resolution under subsection (b).</content></subsection>
<subsection identifier="/us/bill/116/hr/1000/tIII/s313/d" id="H8C6FEF7B726A43EC862025BE18CB7749" class="indent0"><num value="d">(d) </num><heading><inline class="smallCaps">Breaches of a Collective Bargaining Agreement</inline>.—</heading><content>If a dispute falling within the scope of subsection (a) or (b) includes an alleged breach of a collective bargaining agreement (“CBA”), the jurisdiction of the Programs Office of Dispute Resolution may not be invoked to decide any issue that depends on the interpretation of the CBA, but it may be invoked under subsection (a) or (b), as appropriate, to decide other aspects of the dispute, either before the contract dispute is resolved if both parties to the CBA agree to the submission, or after the contract dispute has been resolved if issues remain that are suitable for resolution by the Office of Dispute Resolution.</content></subsection>
<subsection identifier="/us/bill/116/hr/1000/tIII/s313/e" id="H4FFDDCC912CB4A6B89DCF3BBA137B459" class="indent0"><num value="e">(e) </num><heading><inline class="smallCaps">Other Disputes</inline>.—</heading><content>Persons or entities that claim to have suffered a legally cognizable detriment as a result of a violation of this Act that does not fall within the scope of subsection (a) or (b) may have their claim investigated and obtain an appropriate administrative response by filing a complaint with the Office of Dispute Resolution.</content></subsection>
<subsection identifier="/us/bill/116/hr/1000/tIII/s313/f" id="HBB66ACFF3A26497D935140657371CA2E" class="indent0"><num value="f">(f) </num><heading><inline class="smallCaps">Whistleblower Hotline</inline>.—</heading><content>In addition to the procedures established by the Secretary to formally invoke the jurisdiction of the Office of Dispute Resolution, information involving alleged violations of this Act may be reported informally to the Office of Dispute Resolution.</content></subsection></section>
<section identifier="/us/bill/116/hr/1000/tIII/s314" id="H0DE42EE8B105445CB6613F774434BA41"><num value="314">SEC. 314. </num><heading>TAX ON SECURITIES TRANSACTIONS.</heading>
<subsection role="instruction" identifier="/us/bill/116/hr/1000/tIII/s314/a" id="H7EED04BD6B5849F5962387A8B768CDB5" class="indent0"><num value="a">(a) </num><heading><inline class="smallCaps">In General</inline>.—</heading><content>Chapter 36 of the Internal Revenue Code of 1986 <amendingAction type="amend">is amended</amendingAction> by <amendingAction type="insert">inserting</amendingAction> after subchapter B the following new subchapter:
<quotedContent id="H9D27B43432C14D24ADDA13D150A19166" styleType="OLC"><subchapter id="H60DF9ED2970B42AEB8B8782ADF7C230D"><num value="C">“Subchapter C—</num><heading>Tax on Securities Transactions</heading>
<section id="H7E40F9F1262C4081919765BFF268FA6A"><num value="4475">“SEC. 4475. </num><heading>TAX ON TRADING TRANSACTIONS.</heading>
<subsection id="H3B143162CD8347EE8C40D4181B5D964A" class="indent0"><num value="a">“(a) </num><heading><inline class="smallCaps">Imposition of Tax</inline>.—</heading><content>There is hereby imposed a tax on the transfer of ownership in each covered transaction with respect to any security.</content></subsection>
<subsection id="H85FCAA316F374AB9B9DA8E12D7DDDDAB" class="indent0"><num value="b">“(b) </num><heading><inline class="smallCaps">Rate of Tax</inline>.—</heading><chapeau>The tax imposed under subsection (a) with respect to any covered transaction shall be the applicable percentage of the specified base amount with respect to such covered transaction. The applicable percentage shall be—</chapeau>
<paragraph id="H50300685EF6549ADB24F1AC025A401D2" class="indent1"><num value="1">“(1) </num><content>0.2 percent in the case of a security described in subparagraph (A) or (B) of subsection (e)(1),</content></paragraph>
<paragraph id="H1E469503B43C4EAABA82F939555CE432" class="indent1"><num value="2">“(2) </num><content>0.06 percent in the case of a security described in subparagraph (C) of subsection (e)(1),</content></paragraph>
<paragraph id="H6004CCA46D184393ADC7543B54331D48" class="indent1"><num value="3">“(3) </num><content>0.2 percent in the case of a security described in subparagraph (D) of subsection (e)(1) if the underlying assets on which the rights and obligations created by the security are based consist of other securities described in subparagraph (A) or (B) of subsection (e)(1),</content></paragraph>
<paragraph id="H43842B24DE3943C5A8779ACD82F9AAA0" class="indent1"><num value="4">“(4) </num><content>0.2 percent in the case of a security described in subparagraph (F) of subsection (e)(1) if the index on which the rights and obligations created by the security are based is an index referencing the values of securities described in subparagraph (A) or (B) of subsection (e)(1)(A), and</content></paragraph>
<paragraph id="HCC5029C602384B9882769111C1F648A0" class="indent1"><num value="5">“(5) </num><content>0.06 percent in the case of any security described in subparagraph (D), (E), or (F) of subsection (e)(1) (other than a security described in paragraph (3) or (4)).</content></paragraph></subsection>
<subsection role="definitions" id="H22B48B183E4440ED868B09DC4834817D" class="indent0"><num value="c">“(c) </num><heading><inline class="smallCaps">Specified Base Amount</inline>.—</heading><chapeau>For purposes of this section, the term <term>specified base amount</term> means—</chapeau>
<paragraph id="H5446B7F1779E4D37AC8F53C717E9E473" class="indent1"><num value="1">“(1) </num><content>except as provided in paragraph (2), the fair market value of the security (determined as of the time of the covered transaction), and</content></paragraph>
<paragraph id="H193F3E7AF84244A39E8460464B9CE914" class="indent1"><num value="2">“(2) </num><content>in the case of any payment described in subsection (h), the amount of such payment.</content></paragraph></subsection>
<subsection role="definitions" id="H505E4CD5B9B641D98E28CAF84A081953" class="indent0"><num value="d">“(d) </num><heading><inline class="smallCaps">Covered Transaction</inline>.—</heading><chapeau>For purposes of this section, the term <term>covered transaction</term> means—</chapeau>
<paragraph id="HA51BA0021DEA48F18CAD7DEB83549AA0" class="indent1"><num value="1">“(1) </num><chapeau>except as provided in paragraph (2), any purchase if—</chapeau>
<subparagraph id="H61238C4CF6A04E959F357DF0F25AD767" class="indent2"><num value="A">“(A) </num><content>such purchase occurs or is cleared on a facility located in the United States, or</content></subparagraph>
<subparagraph id="HED4887D015C945439BCFD64D8C4A1A30" class="indent2"><num value="B">“(B) </num><content>the purchaser or seller is a United States person, and</content></subparagraph></paragraph>
<paragraph id="H4B415C72569B4E8DA55569555B7106EC" class="indent1"><num value="2">“(2) </num><chapeau>any transaction with respect to a security described in subparagraph (D), (E), or (F) of subsection (e)(1), if—</chapeau>
<subparagraph id="H12094F8AD3194891B344BB06818BF639" class="indent2"><num value="A">“(A) </num><content>such security is traded or cleared on a facility located in the United States, or</content></subparagraph>
<subparagraph id="H374F99974B1B42B0BF54DEFDF304B768" class="indent2"><num value="B">“(B) </num><content>any party with rights under such security is a United States person.</content></subparagraph></paragraph></subsection>
<subsection id="H8BF6C18238D449E9964E76EBA13F55ED" class="indent0"><num value="e">“(e) </num><heading><inline class="smallCaps">Security and Other Definitions</inline>.—</heading><chapeau>For purposes of this section—</chapeau>
<paragraph role="definitions" id="H1DBB7674F74F4929BBFB17218CC779D9" class="indent1"><num value="1">“(1) </num><heading><inline class="smallCaps">Security</inline>.—</heading><chapeau>The term <term>security</term> means—</chapeau>
<subparagraph id="H11DB61621A984D4CB36D6635D6CD51B0" class="indent2"><num value="A">“(A) </num><content>any share of stock in a corporation,</content></subparagraph>
<subparagraph id="H210779587D774B08A84DB08198CF69DE" class="indent2"><num value="B">“(B) </num><content>any partnership or beneficial ownership interest in a partnership or trust,</content></subparagraph>
<subparagraph id="H6AC9E1EEA0224DE9B7F4B7EFC23FA8E3" class="indent2"><num value="C">“(C) </num><content>any note, bond, debenture, or other evidence of indebtedness, other than a State or local bond the interest of which is excluded from gross income under section 103(a),</content></subparagraph>
<subparagraph id="H3A8853990C4D4863ABA961F0B627F399" class="indent2"><num value="D">“(D) </num><content>any evidence of an interest in, or a derivative financial instrument with respect to, any security or securities described in subparagraph (A), (B), or (C),</content></subparagraph>
<subparagraph id="HECB52CC79E82448AAFBFFA2ED92B563C" class="indent2"><num value="E">“(E) </num><content>any derivative financial instrument with respect to any currency or commodity including notional principal contracts, and</content></subparagraph>
<subparagraph id="H082F01EE7605479AB053A0F99D3450D0" class="indent2"><num value="F">“(F) </num><content>any other derivative financial instrument any payment with respect to which is calculated by reference to any specified index.</content></subparagraph></paragraph>
<paragraph role="definitions" id="HE1EB4CAB7A0D45A1B5EB6096A9C63420" class="indent1"><num value="2">“(2) </num><heading><inline class="smallCaps">Derivative financial instrument</inline>.—</heading><content>The term <term>derivative financial instrument</term> includes any option, forward contract, futures contract, notional principal contract, or any similar financial instrument.</content></paragraph>
<paragraph role="definitions" id="H94A69B68B2824DDAB65BA946F22CCF0C" class="indent1"><num value="3">“(3) </num><heading><inline class="smallCaps">Specified index</inline>.—</heading><chapeau>The term <term>specified index</term> means any one or more of any combination of—</chapeau>
<subparagraph id="H3A0204813C5347D180AAA21AC509B12C" class="indent2"><num value="A">“(A) </num><content>a fixed rate, price, or amount, or</content></subparagraph>
<subparagraph id="HB977428D41AB4142AED912D454ABBB58" class="indent2"><num value="B">“(B) </num><content>a variable rate, price, or amount, which is based on any current objectively determinable information which is not within the control of any of the parties to the contract or instrument and is not unique to any of the parties circumstances.</content></subparagraph></paragraph>
<paragraph id="H239AE9151017429798AA1D993B810393" class="indent1"><num value="4">“(4) </num><heading><inline class="smallCaps">Treatment of exchanges</inline>.—</heading>
<subparagraph id="H5C5ED483131547268FB27F193A56254D" class="indent2"><num value="A">“(A) </num><heading><inline class="smallCaps">In general</inline>.—</heading><content>An exchange shall be treated as the sale of the property transferred and a purchase of the property received by each party to the exchange.</content></subparagraph>
<subparagraph id="HC39D42F32B2C4793A3436A959D0BB4B9" class="indent2"><num value="B">“(B) </num><heading><inline class="smallCaps">Certain deemed exchanges</inline>.—</heading><content>In the case of a distribution treated as an exchange for stock under section 302 or 331, the corporation making such distribution shall be treated as having purchased such stock for purposes of this section.</content></subparagraph></paragraph></subsection>
<subsection id="H71E1064B1D0A41808FC7C9BEE6EDC25C" class="indent0"><num value="f">“(f) </num><heading><inline class="smallCaps">Exceptions</inline>.—</heading>
<paragraph id="H8C8ECD8AEBC746A29ABDB5DD9BAD5D69" class="indent1"><num value="1">“(1) </num><heading><inline class="smallCaps">Exception for initial issues</inline>.—</heading><content>No tax shall be imposed under subsection (a) on any covered transaction with respect to the initial issuance of any security described in subparagraph (A), (B), or (C) of subsection (e)(1).</content></paragraph>
<paragraph id="H8E3C762A40984CB9ADAFF83A0254E499" class="indent1"><num value="2">“(2) </num><heading><inline class="smallCaps">Exception for certain traded short-term indebtedness</inline>.—</heading><chapeau>A note, bond, debenture, or other evidence of indebtedness which—</chapeau>
<subparagraph id="HB49B1F52F9CC488089DD0DF2D988E475" class="indent2"><num value="A">“(A) </num><content>is traded on a trading facility located in the United States, and</content></subparagraph>
<subparagraph id="H8D52211F5758485D85FA78D4B7A14C14" class="indent2"><num value="B">“(B) </num><content>has a fixed maturity of not more than 60 days, shall not be treated as described in subsection (e)(1)(C).</content></subparagraph></paragraph>
<paragraph id="H6A9C2C2CDACB455281B1AC58E1C0899B" class="indent1"><num value="3">“(3) </num><heading><inline class="smallCaps">Exception for securities lending arrangements</inline>.—</heading><content>No tax shall be imposed under subsection (a) on any covered transaction with respect to which gain or loss is not recognized by reason of section 1058.</content></paragraph>
<paragraph id="H66B8CDD1B70F4170AE03B3F7778A44CD" class="indent1"><num value="4">“(4) </num><heading><inline class="smallCaps">Exception for interests in mutual funds</inline>.—</heading><content>No tax shall be imposed under subsection (a) with respect to the purchase or sale of any interest in a regulated investment company (as defined in section 851).</content></paragraph></subsection>
<subsection id="H69231FD9A85E429B84F31C3947994BF2" class="indent0"><num value="g">“(g) </num><heading><inline class="smallCaps">By Whom Paid</inline>.—</heading>
<paragraph id="HDD7B396FAEAB465E99B94BAD7FE217CB" class="indent1"><num value="1">“(1) </num><heading><inline class="smallCaps">In general</inline>.—</heading><chapeau>The tax imposed by this section shall be paid by—</chapeau>
<subparagraph id="H16EACC3D8D2F4B26A91E83F5AC6E72E1" class="indent2"><num value="A">“(A) </num><content>in the case of a transaction which occurs or is cleared on a facility located in the United States, such facility, and</content></subparagraph>
<subparagraph id="H9F824B363F2D4D93814388DCC2FDF4B8" class="indent2"><num value="B">“(B) </num><content>in the case of a purchase not described in subparagraph (A) which is executed by a broker (as defined in section 6045(c)(1)), the broker.</content></subparagraph></paragraph>
<paragraph id="HC7328E47E33041D890B260A90EFEA5C7" class="indent1"><num value="2">“(2) </num><heading><inline class="smallCaps">Special rules for direct, etc., transactions</inline>.—</heading><chapeau>In the case of any transaction to which paragraph (1) does not apply, the tax imposed by this section shall be paid by—</chapeau>
<subparagraph id="HE2883E4FE68043E994C549F8458D52A2" class="indent2"><num value="A">“(A) </num><chapeau>in the case of a transaction described in subsection (d)(1)—</chapeau>
<clause id="H6C305387466541C1889433F44D5CC868" class="indent3"><num value="i">“(i) </num><content>the purchaser if the purchaser is a United States person, and</content></clause>
<clause id="H5EA12B9EACF2452E9298C7B6DEA186E2" class="indent3"><num value="ii">“(ii) </num><content>the seller if the purchaser is not a United States person, and</content></clause></subparagraph>
<subparagraph id="HE249C3961583405FAF04D7154755D254" class="indent2"><num value="B">“(B) </num><chapeau>in the case of a transaction described in subsection (d)(2)—</chapeau>
<clause id="HFB558A4F22614D1AA1F8C712DB5BC079" class="indent3"><num value="i">“(i) </num><content>the payor if the payor is a United States person, and</content></clause>
<clause id="H152A17C7CB1D43DE85806CF766FC6CD7" class="indent3"><num value="ii">“(ii) </num><content>the payee if the payor is not a United States person.</content></clause></subparagraph></paragraph></subsection>
<subsection id="H5E061BD17B8E45B5953915C79EB02E41" class="indent0"><num value="h">“(h) </num><heading><inline class="smallCaps">Certain Payments Treated as Separate Transactions</inline>.—</heading><chapeau>Except as otherwise provided by the Secretary, any payment with respect to a security described in subparagraph (D), (E), or (F) of subsection (e)(1) shall be treated as a separate transaction for purposes of this section, including—</chapeau>
<paragraph id="HB3F048E220FE4FF0813AA5CC3BCE2049" class="indent1"><num value="1">“(1) </num><content>any net initial payment, net final or terminating payment, or net periodical payment with respect to a notional principal contract (or similar financial instrument),</content></paragraph>
<paragraph id="H53F258E991494D34ADAD79C59CE06EE5" class="indent1"><num value="2">“(2) </num><content>any payment with respect to any forward contract (or similar financial instrument), and</content></paragraph>
<paragraph id="H19312AE058624C8CAB78A5799CE70BA9" class="indent1"><num value="3">“(3) </num><content>any premium paid with respect to any option (or similar financial instrument).</content></paragraph></subsection>
<subsection id="H0226228525C74B85ADE222E21A58E387" class="indent0"><num value="i">“(i) </num><heading><inline class="smallCaps">Administration</inline>.—</heading><content>The Secretary shall carry out this section in consultation with the Securities and Exchange Commission and the Commodity Futures Trading Commission.</content></subsection>
<subsection id="H366188D694554574A005932171C0B80C" class="indent0"><num value="j">“(j) </num><heading><inline class="smallCaps">Guidance; Regulations</inline>.—</heading><chapeau>The Secretary shall—</chapeau>
<paragraph id="HD4BD3FAD1E564D5FA535064A0832D3A2" class="indent1"><num value="1">“(1) </num><content>provide guidance regarding such information reporting concerning covered transactions as the Secretary deems appropriate, including reporting by the payor of the tax in cases where the payor is not the purchaser, and</content></paragraph>
<paragraph id="HBCF8789BCB3B41EFAE5F4A79D1D350DE" class="indent1"><num value="2">“(2) </num><content>prescribe such regulations as are necessary or appropriate to prevent avoidance of the purposes of this section, including the use of non-United States persons in such transactions.</content></paragraph></subsection>
<subsection id="HAD91D0B74EE2462EB0DB2433BC6095E3" class="indent0"><num value="k">“(k) </num><heading><inline class="smallCaps">Whistleblowers</inline>.—</heading><content>See section 7623 for provisions relating to whistleblowers.”</content></subsection></section></subchapter></quotedContent><inline role="after-quoted-block">.</inline></content></subsection>
<subsection role="instruction" identifier="/us/bill/116/hr/1000/tIII/s314/b" id="HD686294D4A574CBB915295EA8EE7AA7D" class="indent0"><num value="b">(b) </num><heading><inline class="smallCaps">Penalty for Failure To Include Covered Transaction Information With Return</inline>.—</heading><content>Part I of subchapter B of chapter 68 of the Internal Revenue Code of 1986 <amendingAction type="amend">is amended</amendingAction> by <amendingAction type="insert">inserting</amendingAction> after section 6707A the following new section:
<quotedContent id="H81E99AE9BF6B4FA986640C03663FAE6A" styleType="OLC">
<section id="HA5DA918973D34A0FB7606EB33D3CB69D"><num value="6707B">“SEC. 6707B. </num><heading>PENALTY FOR FAILURE TO INCLUDE COVERED TRANSACTION INFORMATION WITH RETURN.</heading>
<subsection id="HA7BAE385BB134CECB0A23F1BE796FB5B" class="indent0"><num value="a">“(a) </num><heading><inline class="smallCaps">Imposition of Penalty</inline>.—</heading><content>Any person who fails to include on any return or statement any information with respect to a covered transaction which is required pursuant to section 4475(j)(1) to be included with such return or statement shall pay a penalty in the amount determined under subsection (b).</content></subsection>
<subsection id="H1D122BC3340D4AA8BE3A35850C7A971C" class="indent0"><num value="b">“(b) </num><heading><inline class="smallCaps">Amount of Penalty</inline>.—</heading><content>Except as otherwise provided in this subsection, the amount of the penalty under subsection (a) with respect to any covered transaction shall be determined by the Secretary.</content></subsection>
<subsection role="definitions" id="H0A1B68FE0C744A26973804B8BDF70CCD" class="indent0"><num value="c">“(c) </num><heading><inline class="smallCaps">Covered Transaction</inline>.—</heading><content>For purposes of this section, the term <term>covered transaction</term> has the meaning given such term by section 4475(d).</content></subsection>
<subsection id="HED182B88C009464B9E04A4B312556B56" class="indent0"><num value="d">“(d) </num><heading><inline class="smallCaps">Authority To Rescind Penalty</inline>.—</heading>
<paragraph id="H922476420B304C8D8F3F9574F832996B" class="indent1"><num value="1">“(1) </num><heading><inline class="smallCaps">In general</inline>.—</heading><content>The Commissioner of Internal Revenue may rescind all or any portion of any penalty imposed by this section with respect to any violation if rescinding the penalty would promote compliance with the requirements of this title and effective tax administration.</content></paragraph>
<paragraph id="H41F0A1FB28D948868E3E25298DC6DFB1" class="indent1"><num value="2">“(2) </num><heading><inline class="smallCaps">No judicial appeal</inline>.—</heading><content>Notwithstanding any other provision of law, any determination under this subsection may not be reviewed in any judicial proceeding.</content></paragraph>
<paragraph id="HDA15F012A7E54D6CA3191D748F0DE833" class="indent1"><num value="3">“(3) </num><heading><inline class="smallCaps">Records</inline>.—</heading><chapeau>If a penalty is rescinded under paragraph (1), the Commissioner shall place in the file in the Office of the Commissioner the opinion of the Commissioner with respect to the determination, including—</chapeau>
<subparagraph id="H3AAE4EABC7114A8AB23BAE4CB0460E2A" class="indent2"><num value="A">“(A) </num><content>a statement of the facts and circumstances relating to the violation,</content></subparagraph>
<subparagraph id="H60ACA88CBED849AB8BA51BE8102B65F4" class="indent2"><num value="B">“(B) </num><content>the reasons for the rescission, and</content></subparagraph>
<subparagraph id="H968203BBA3AA4B4F9E35DEEE94E98978" class="indent2"><num value="C">“(C) </num><content>the amount of the penalty rescinded.</content></subparagraph></paragraph></subsection>
<subsection id="H6365691D768642DB8D990FD04E0A56E3" class="indent0"><num value="e">“(e) </num><heading><inline class="smallCaps">Coordination With Other Penalties</inline>.—</heading><content>The penalty imposed by this section shall be in addition to any other penalty imposed by this title.”</content></subsection></section></quotedContent><inline role="after-quoted-block">.</inline></content></subsection>
<subsection identifier="/us/bill/116/hr/1000/tIII/s314/c" id="H29D090097A224EF58EDD059CE601E4A7" class="indent0"><num value="c">(c) </num><heading><inline class="smallCaps">Clerical Amendments</inline>.—</heading>
<paragraph role="instruction" identifier="/us/bill/116/hr/1000/tIII/s314/c/1" id="HCEA01CE81540414787E7A9254B7C5E4F" class="indent1"><num value="1">(1) </num><content>The table of sections for part I of subchapter B of chapter 68 of such Code <amendingAction type="amend">is amended</amendingAction> by <amendingAction type="insert">inserting</amendingAction> after the item relating to section 6707A the following new item:
<quotedContent id="H60C573CB9DF141DEAEA019A26C086FED" styleType="OLC">
<toc>
<referenceItem role="section">
<designator>“Sec.6707B.</designator>
<label>Penalty for failure to include covered transaction information with return.”</label>
</referenceItem></toc></quotedContent><inline role="after-quoted-block">.</inline></content></paragraph>
<paragraph role="instruction" identifier="/us/bill/116/hr/1000/tIII/s314/c/2" id="H1C4A01DF02B5468B91573E5F759A096B" class="indent1"><num value="2">(2) </num><content>The table of subchapters for chapter 36 of the Internal Revenue Code of 1986 <amendingAction type="amend">is amended</amendingAction> by <amendingAction type="insert">inserting</amendingAction> after the item relating to subchapter B the following new item:
<quotedContent id="H872EB944D9964404804FDBAEF4FC46B3" styleType="OLC">
<toc>
<referenceItem role="subchapter">
<designator>“<inline class="smallCaps">subchapter c—</inline></designator><label><inline class="smallCaps">tax on securities transactions</inline>”</label>
</referenceItem></toc></quotedContent><inline role="after-quoted-block">.</inline></content></paragraph></subsection>
<subsection identifier="/us/bill/116/hr/1000/tIII/s314/d" id="H44177B807E704CCF9755CB0117CA6DB2" class="indent0"><num value="d">(d) </num><heading><inline class="smallCaps">Effective Date</inline>.—</heading><content>The amendments made by this section shall apply to transactions occurring more than 180 days after the date of the enactment of this Act.</content></subsection></section></title></main><endMarker>○</endMarker></bill>

View File

@@ -0,0 +1,43 @@
<?xml version="1.0" encoding="UTF-8"?><?xml-stylesheet type="text/css" href="uslm.css"?><bill xmlns="http://schemas.gpo.gov/xml/uslm" xmlns:dc="http://purl.org/dc/elements/1.1/" xmlns:html="http://www.w3.org/1999/xhtml" xmlns:uslm="http://schemas.gpo.gov/xml/uslm" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://schemas.gpo.gov/xml/uslm uslm-2.1.0.xsd" xml:lang="en" id="H297DB65F53D94AE89F38D1339A36FADB"><!--Disclaimer: Legislative measures that include compacts or other non-standard data structures will require additional modeling and may contain inconsistencies in the converted USLM XML.--> <meta>
<dc:title>116 HR 1010 RH: To provide that the rule entitled Short-Term, Limited Duration Insurance shall have no force or effect.</dc:title>
<dc:type>House Bill</dc:type>
<docNumber>1010</docNumber>
<citableAs>116 HR 1010 RH</citableAs>
<citableAs>116hr1010rh</citableAs>
<citableAs>116 H. R. 1010 RH</citableAs>
<docStage>Reported in House</docStage>
<currentChamber>HOUSE</currentChamber>
<dc:creator>United States House of Representatives</dc:creator>
<processedBy>GPO XPub Bill to USLM Generator, version 0.5 + manual changes</processedBy>
<processedDate>2024-09-09</processedDate>
<dc:publisher>United States Government Publishing Office</dc:publisher>
<dc:format>text/xml</dc:format>
<dc:language>EN</dc:language>
<dc:rights>Pursuant to Title 17 Section 105 of the United States Code, this file is not subject to copyright protection and is in the public domain.</dc:rights>
<relatedDocument role="calendar" href="/us/116/hcal/Union/29">Union Calendar No. 29</relatedDocument>
<congress>116</congress>
<session>1</session>
<relatedDocuments>[Report No. 11643, Parts <relatedDocument role="report" href="/us/hrpt/116/43/pt1" value="CRPT-116hrpt43-pt1">I</relatedDocument> and <relatedDocument role="report" href="/us/hrpt/116/43/pt2" value="CRPT-116hrpt43-pt2">II</relatedDocument>]</relatedDocuments>
<publicPrivate>public</publicPrivate></meta>
<preface>
<slugLine>•HR 1010 RH</slugLine>
<distributionCode display="yes">IB</distributionCode>
<relatedDocument role="calendar" href="/us/116/hcal/Union/29">Union Calendar No. 29</relatedDocument>
<congress value="116">116th CONGRESS</congress>
<session value="1">1st Session</session>
<dc:type>H. R. </dc:type>
<docNumber>1010</docNumber>
<relatedDocuments>[Report No. 11643, Parts <relatedDocument role="report" href="/us/hrpt/116/43/pt1" value="CRPT-116hrpt43-pt1">I</relatedDocument> and <relatedDocument role="report" href="/us/hrpt/116/43/pt2" value="CRPT-116hrpt43-pt2">II</relatedDocument>]</relatedDocuments>
<dc:title>To provide that the rule entitled “Short-Term, Limited Duration Insurance” shall have no force or effect.</dc:title>
<p><br verticalSpace="nextPage"/></p>
<currentChamber value="HOUSE">IN THE HOUSE OF REPRESENTATIVES</currentChamber>
<action><date date="2019-02-06"><inline class="smallCaps">February </inline>6, 2019</date><actionDescription><sponsor bioGuideId="C001066">Ms. <inline class="smallCaps">Castor</inline> of Florida</sponsor> (for herself, <cosponsor bioGuideId="B001300">Ms. <inline class="smallCaps">Barragán</inline></cosponsor>, <cosponsor bioGuideId="H001066">Mr. <inline class="smallCaps">Horsford</inline></cosponsor>, <cosponsor bioGuideId="M001160">Ms. <inline class="smallCaps">Moore</inline></cosponsor>, <cosponsor bioGuideId="U000040">Ms. <inline class="smallCaps">Underwood</inline></cosponsor>, and <cosponsor bioGuideId="D000623">Mr. <inline class="smallCaps">DeSaulnier</inline></cosponsor>) introduced the following bill; which was referred to the <committee committeeId="HIF00">Committee on Energy and Commerce</committee>, and in addition to the Committees on <committee committeeId="HED00">Education and Labor</committee>, and <committee committeeId="HWM00">Ways and Means</committee>, for a period to be subsequently determined by the Speaker, in each case for consideration of such provisions as fall within the jurisdiction of the committee concerned</actionDescription></action>
<action><date><inline class="smallCaps">April </inline>29, 2019</date><actionDescription>Reported from the <committee committeeId="HED00">Committee on Education and Labor</committee></actionDescription></action>
<action><date><inline class="smallCaps">May </inline>10, 2019</date><actionDescription>Additional sponsors: <cosponsor bioGuideId="W000800">Mr. <inline class="smallCaps">Welch</inline></cosponsor>, <cosponsor bioGuideId="S001145">Ms. <inline class="smallCaps">Schakowsky</inline></cosponsor>, <cosponsor bioGuideId="K000379">Mr. <inline class="smallCaps">Kennedy</inline></cosponsor>, <cosponsor bioGuideId="R000599">Mr. <inline class="smallCaps">Ruiz</inline></cosponsor>, <cosponsor bioGuideId="D000624">Mrs. <inline class="smallCaps">Dingell</inline></cosponsor>, <cosponsor bioGuideId="R000515">Mr. <inline class="smallCaps">Rush</inline></cosponsor>, <cosponsor bioGuideId="P000034">Mr. <inline class="smallCaps">Pallone</inline></cosponsor>, <cosponsor bioGuideId="M001163">Ms. <inline class="smallCaps">Matsui</inline></cosponsor>, <cosponsor bioGuideId="E000215">Ms. <inline class="smallCaps">Eshoo</inline></cosponsor>, <cosponsor bioGuideId="C001067">Ms. <inline class="smallCaps">Clarke</inline> of New York</cosponsor>, <cosponsor bioGuideId="S001206">Ms. <inline class="smallCaps">Shalala</inline></cosponsor>, <cosponsor bioGuideId="V000133">Mr. <inline class="smallCaps">Van Drew</inline></cosponsor>, <cosponsor bioGuideId="W000826">Ms. <inline class="smallCaps">Wild</inline></cosponsor>, <cosponsor bioGuideId="M001143">Ms. <inline class="smallCaps">McCollum</inline></cosponsor>, <cosponsor bioGuideId="C001112">Mr. <inline class="smallCaps">Carbajal</inline></cosponsor>, <cosponsor bioGuideId="C001055">Mr. <inline class="smallCaps">Case</inline></cosponsor>, <cosponsor bioGuideId="G000551">Mr. <inline class="smallCaps">Grijalva</inline></cosponsor>, <cosponsor bioGuideId="M001196">Mr. <inline class="smallCaps">Moulton</inline></cosponsor>, <cosponsor bioGuideId="K000381">Mr. <inline class="smallCaps">Kilmer</inline></cosponsor>, <cosponsor bioGuideId="M001207">Ms. <inline class="smallCaps">Mucarsel-Powell</inline></cosponsor>, and <cosponsor bioGuideId="L000559">Mr. <inline class="smallCaps">Langevin</inline></cosponsor></actionDescription></action>
<action><date><inline class="smallCaps">May </inline>10, 2019</date><actionDescription>Reported from the <committee committeeId="HIF00">Committee on Energy and Commerce</committee></actionDescription></action>
<action><date><inline class="smallCaps">May </inline>10, 2019</date><actionDescription><committee committeeId="HWM00">Committee on Ways and Means</committee> discharged; committed to the Committee of the Whole House on the State of the Union and ordered to be printed</actionDescription></action></preface>
<main id="HE1E43D49275F400BB9FE0FDBE17F91F8" styleType="OLC"><longTitle><docTitle>A BILL</docTitle><officialTitle>To provide that the rule entitled “Short-Term, Limited Duration Insurance” shall have no force or effect.
<p><br verticalSpace="nextPage"/></p></officialTitle></longTitle><enactingFormula><i>Be it enacted by the Senate and House of Representatives of the United States of America in Congress assembled, </i></enactingFormula>
<section identifier="/us/bill/116/hr/1010/s1" id="H833049A1E59844DD9C56E8CB90109E57"><num value="1">SECTION 1. </num><heading>SHORT-TERM LIMITED DURATION INSURANCE RULE PROHIBITION.</heading><content class="block">The Secretary of Health and Human Services, the Secretary of the Treasury, and the Secretary of Labor may not take any action to implement, enforce, or otherwise give effect to the rule entitled “Short-Term, Limited Duration Insurance” (<ref href="/us/fr/83/38212">83 Fed. Reg. 38212</ref> (August 3, 2018)), and the Secretaries may not promulgate any substantially similar rule.</content></section></main>
<endorsement orientation="landscape"><relatedDocument role="calendar" href="/us/116/hcal/Union/29">Union Calendar No. 29</relatedDocument><congress value="116">116th CONGRESS</congress><session value="1">1st Session</session><dc:type>H. R. </dc:type><docNumber>1010</docNumber><relatedDocuments>[Report No. 11643, Parts <relatedDocument role="report" href="/us/hrpt/116/43/pt1" value="CRPT-116hrpt43-pt1">I</relatedDocument> and <relatedDocument role="report" href="/us/hrpt/116/43/pt2" value="CRPT-116hrpt43-pt2">II</relatedDocument>]</relatedDocuments><longTitle><docTitle>A BILL</docTitle><officialTitle>To provide that the rule entitled “Short-Term, Limited Duration Insurance” shall have no force or effect.
<p><br verticalSpace="nextPage"/></p></officialTitle></longTitle><action><date date="2019-05-10"><inline class="smallCaps">May </inline>10, 2019</date><actionDescription>Reported from the <committee committeeId="HIF00">Committee on Energy and Commerce</committee></actionDescription></action><action><date date="2019-05-10"><inline class="smallCaps">May </inline>10, 2019</date><actionDescription><committee committeeId="HWM00">Committee on Ways and Means</committee> discharged; committed to the Committee of the Whole House on the State of the Union and ordered to be printed</actionDescription></action></endorsement></bill>

View File

@@ -0,0 +1,54 @@
<?xml version="1.0" encoding="UTF-8"?><?xml-stylesheet type="text/css" href="uslm.css"?><bill xmlns="http://schemas.gpo.gov/xml/uslm" xmlns:dc="http://purl.org/dc/elements/1.1/" xmlns:html="http://www.w3.org/1999/xhtml" xmlns:uslm="http://schemas.gpo.gov/xml/uslm" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://schemas.gpo.gov/xml/uslm uslm-2.1.0.xsd" xml:lang="en" id="H8983A22FACC54E83B3666D602B0D6DC7"><!--Disclaimer: Legislative measures that include compacts or other non-standard data structures will require additional modeling and may contain inconsistencies in the converted USLM XML.--> <meta>
<dc:title>116 HR 1037 RFS: To increase transparency with respect to financial services benefitting state sponsors of terrorism, human rights abusers, and corrupt officials, and for other purposes.</dc:title>
<dc:type>House Bill</dc:type>
<docNumber>1037</docNumber>
<citableAs>116 HR 1037 RFS</citableAs>
<citableAs>116hr1037rfs</citableAs>
<citableAs>116 H. R. 1037 RFS</citableAs>
<docStage>Referred in Senate</docStage>
<currentChamber>SENATE</currentChamber>
<dc:creator>United States Senate</dc:creator>
<processedBy>GPO XPub Bill to USLM Generator, version 0.5 + manual changes</processedBy>
<processedDate>2024-09-09</processedDate>
<dc:publisher>United States Government Publishing Office</dc:publisher>
<dc:format>text/xml</dc:format>
<dc:language>EN</dc:language>
<dc:rights>Pursuant to Title 17 Section 105 of the United States Code, this file is not subject to copyright protection and is in the public domain.</dc:rights>
<congress>116</congress>
<session>1</session>
<publicPrivate>public</publicPrivate></meta>
<preface>
<slugLine> HR 1037 RFS</slugLine>
<distributionCode display="yes">IIB</distributionCode>
<congress value="116">116th CONGRESS</congress>
<session value="1">1st Session</session>
<dc:type>H. R. </dc:type>
<docNumber>1037</docNumber>
<currentChamber value="SENATE">IN THE SENATE OF THE UNITED STATES</currentChamber>
<action><date date="2019-05-15"><inline class="smallCaps">May </inline>15, 2019</date><actionDescription>Received; read twice and referred to the <committee committeeId="SSBK00">Committee on Banking, Housing, and Urban Affairs</committee></actionDescription></action></preface>
<main id="H972EC1D4224A440A9E7AC7B08B8E90FA" styleType="OLC"><longTitle><docTitle>AN ACT</docTitle><officialTitle>To increase transparency with respect to financial services benefitting state sponsors of terrorism, human rights abusers, and corrupt officials, and for other purposes.</officialTitle></longTitle><enactingFormula><i>Be it enacted by the Senate and House of Representatives of the United States of America in Congress assembled, </i></enactingFormula>
<section identifier="/us/bill/116/hr/1037/s1" id="H44ADA04607E34829A239AE33223B1397"><num value="1">SECTION 1. </num><heading>SHORT TITLE.</heading><content class="block">This Act may be cited as the “<shortTitle role="act">Banking Transparency for Sanctioned Persons Act of 2019</shortTitle>”.</content></section>
<section identifier="/us/bill/116/hr/1037/s2" id="H2D5655B04C0B4934993F61295477B71A"><num value="2">SEC. 2. </num><heading>REPORT ON FINANCIAL SERVICES BENEFITTING STATE SPONSORS OF TERRORISM, HUMAN RIGHTS ABUSERS, AND CORRUPT OFFICIALS.</heading>
<subsection identifier="/us/bill/116/hr/1037/s2/a" id="H9DFF9572954247D99DF2FBFDD7DD85F0" class="indent0"><num value="a">(a) </num><heading><inline class="smallCaps">In General</inline>.—</heading><chapeau>Not later than 180 days after the date of the enactment of this Act, and every 180 days thereafter, the Secretary of the Treasury shall issue a report to the Committees on Financial Services and Foreign Affairs of the House of Representatives and the Committees on Banking, Housing, and Urban Affairs and Foreign Relations of the Senate that includes—</chapeau>
<paragraph identifier="/us/bill/116/hr/1037/s2/a/1" id="HCCC72F0209834DF696EE4C5C386C5ED9" class="indent1"><num value="1">(1) </num><content>a copy of any license issued by the Secretary in the preceding 180 days that authorizes a financial institution to provide financial services benefitting a state sponsor of terrorism; and</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1037/s2/a/2" id="H9E0143FB53D5465CADB2735F4BBE06A8" class="indent1"><num value="2">(2) </num><chapeau>a list of any foreign financial institutions that, in the preceding 180 days, knowingly conducted a significant transaction or transactions, directly or indirectly, for a sanctioned person included on the Department of the Treasurys Specially Designated Nationals And Blocked Persons List who—</chapeau>
<subparagraph identifier="/us/bill/116/hr/1037/s2/a/2/A" id="HF490E3DA29ED4B5989FE409D5DB25AF8" class="indent2"><num value="A">(A) </num><content>is owned or controlled by, or acts on behalf of, the government of a state sponsor of terrorism; or</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/1037/s2/a/2/B" id="H9170226FCCBB458A8058C2381DC56892" class="indent2"><num value="B">(B) </num><chapeau>is designated pursuant to any of the following:</chapeau>
<clause identifier="/us/bill/116/hr/1037/s2/a/2/B/i" id="HB3E8B2A271994D98B940706AE4EBBC8A" class="indent3"><num value="i">(i) </num><content>Section 404 of the Russia and Moldova Jackson-Vanik Repeal and Sergei Magnitsky Rule of Law Accountability Act of 2012 (<ref href="/us/pl/112208">Public Law 112208</ref>).</content></clause>
<clause identifier="/us/bill/116/hr/1037/s2/a/2/B/ii" id="H1BE913C88DE34346B0E98F434096E38B" class="indent3"><num value="ii">(ii) </num><content>Subtitle F of title XII of the National Defense Authorization Act for Fiscal Year 2017 (<ref href="/us/pl/114/328">Public Law 114328</ref>, the Global Magnitsky Human Rights Accountability Act).</content></clause>
<clause identifier="/us/bill/116/hr/1037/s2/a/2/B/iii" id="H85CE41AB4F20451A81F50C199D29A0B5" class="indent3"><num value="iii">(iii) </num><content>Executive Order No. 13818.</content></clause></subparagraph></paragraph></subsection>
<subsection identifier="/us/bill/116/hr/1037/s2/b" id="H7B542965F407418085D8E2B9F16F3F42" class="indent0"><num value="b">(b) </num><heading><inline class="smallCaps">Form of Report</inline>.—</heading><content>The report required under subsection (a) shall be submitted in unclassified form but may contain a classified annex.</content></subsection></section>
<section identifier="/us/bill/116/hr/1037/s3" id="H679CBD019B9E4F1DA766FA11E8641094"><num value="3">SEC. 3. </num><heading>WAIVER.</heading>
<chapeau class="indent0">The Secretary of the Treasury may waive the requirements of section 2 with respect to a foreign financial institution described in paragraph (2) of such section—</chapeau>
<paragraph identifier="/us/bill/116/hr/1037/s3/1" id="H915D2C0E4F864230B12F7F3B0360CDEC" class="indent1"><num value="1">(1) </num><content>upon receiving credible assurances that the foreign financial institution has ceased, or will imminently cease, to knowingly conduct any significant transaction or transactions, directly or indirectly, for a person described in subparagraph (A) or (B) of such paragraph (2); or</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1037/s3/2" id="HAA219B1D705B44A280D16562AD635D60" class="indent1"><num value="2">(2) </num><content>upon certifying to the Committees on Financial Services and Foreign Affairs of the House of Representatives and the Committees on Banking, Housing, and Urban Affairs and Foreign Relations of the Senate that the waiver is important to the national interest of the United States, with an explanation of the reasons therefor.</content></paragraph></section>
<section identifier="/us/bill/116/hr/1037/s4" id="HEE07414903EF424BB9692CC02867807E"><num value="4">SEC. 4. </num><heading>DEFINITIONS.</heading>
<chapeau class="indent0">For purposes of this Act:</chapeau>
<paragraph role="definitions" identifier="/us/bill/116/hr/1037/s4/1" id="HA3EBA52671B946618E7E5A1044E9F307" class="indent1"><num value="1">(1) </num><heading><inline class="smallCaps">Financial institution</inline>.—</heading><content>The term “<term>financial institution</term>” means a United States financial institution or a foreign financial institution.</content></paragraph>
<paragraph role="definitions" identifier="/us/bill/116/hr/1037/s4/2" id="H4ED053D5AAE44981AFE29E70F08A143F" class="indent1"><num value="2">(2) </num><heading><inline class="smallCaps">Foreign financial institution</inline>.—</heading><content>The term “<term>foreign financial institution</term>” has the meaning given that term under <ref href="/us/cfr/t31/s561.308">section 561.308 of title 31, Code of Federal Regulations</ref>.</content></paragraph>
<paragraph role="definitions" identifier="/us/bill/116/hr/1037/s4/3" id="HDE488415924A4509B930F944D364BBC9" class="indent1"><num value="3">(3) </num><heading><inline class="smallCaps">Knowingly</inline>.—</heading><content>The term “<term>knowingly</term>” with respect to conduct, a circumstance, or a result, means that a person has actual knowledge, or should have known, of the conduct, the circumstance, or the result.</content></paragraph>
<paragraph role="definitions" identifier="/us/bill/116/hr/1037/s4/4" id="HFDD957359FF548E593CA0DC43C85DC36" class="indent1"><num value="4">(4) </num><heading><inline class="smallCaps">United states financial institution</inline>.—</heading><content>The term “<term>United States financial institution</term>” has the meaning given the term “<term>U.S. financial institution</term>” under <ref href="/us/cfr/t31/s561.309">section 561.309 of title 31, Code of Federal Regulations</ref>.</content></paragraph></section>
<section identifier="/us/bill/116/hr/1037/s5" id="HFE6F54CDCAC14F3EA252BE9B813C1EF6"><num value="5">SEC. 5. </num><heading>SUNSET.</heading><content class="block">The reporting requirement under this Act shall terminate on the date that is the end of the 7-year period beginning on the date of the enactment of this Act.</content></section></main>
<attestation><action><actionDescription>Passed the House of Representatives </actionDescription><date date="2019-05-14" meta="chamber:House">May 14, 2019</date>.</action>
<signatures>
<signature><notation type="attestation">Attest: </notation><name>CHERYL L. JOHNSON,</name><role>Clerk</role>.</signature></signatures></attestation></bill>

View File

@@ -0,0 +1,141 @@
<?xml version="1.0" encoding="UTF-8"?><?xml-stylesheet type="text/css" href="uslm.css"?><bill xmlns="http://schemas.gpo.gov/xml/uslm" xmlns:dc="http://purl.org/dc/elements/1.1/" xmlns:html="http://www.w3.org/1999/xhtml" xmlns:uslm="http://schemas.gpo.gov/xml/uslm" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://schemas.gpo.gov/xml/uslm uslm-2.1.0.xsd" xml:lang="en" id="HEE087D7A493A468B9DEE212885B3B0BC"><!--Disclaimer: Legislative measures that include compacts or other non-standard data structures will require additional modeling and may contain inconsistencies in the converted USLM XML.--> <meta>
<dc:title>116 HR 1058 RDS: To amend the Public Health Service Act to enhance activities of the National Institutes of Health with respect to research on autism spectrum disorder and enhance programs relating to autism, and for other purposes.</dc:title>
<dc:type>House Bill</dc:type>
<docNumber>1058</docNumber>
<citableAs>116 HR 1058 RDS</citableAs>
<citableAs>116hr1058rds</citableAs>
<citableAs>116 H. R. 1058 RDS</citableAs>
<docStage>Received in Senate</docStage>
<currentChamber>SENATE</currentChamber>
<dc:creator>United States Senate</dc:creator>
<processedBy>GPO XPub Bill to USLM Generator, version 0.5 + manual changes</processedBy>
<processedDate>2024-09-09</processedDate>
<dc:publisher>United States Government Publishing Office</dc:publisher>
<dc:format>text/xml</dc:format>
<dc:language>EN</dc:language>
<dc:rights>Pursuant to Title 17 Section 105 of the United States Code, this file is not subject to copyright protection and is in the public domain.</dc:rights>
<congress>116</congress>
<session>1</session>
<publicPrivate>public</publicPrivate></meta>
<preface>
<slugLine> HR 1058 RDS</slugLine>
<distributionCode display="yes">II</distributionCode>
<congress value="116">116th CONGRESS</congress>
<session value="1">1st Session</session>
<dc:type>H. R. </dc:type>
<docNumber>1058</docNumber>
<currentChamber value="SENATE">IN THE SENATE OF THE UNITED STATES</currentChamber>
<action><date><inline class="smallCaps">July </inline>25, 2019</date><actionDescription>Received</actionDescription></action></preface>
<main id="H670D5A827847475FB9ABBE09CB410661" styleType="OLC"><longTitle><docTitle>AN ACT</docTitle><officialTitle>To amend the Public Health Service Act to enhance activities of the National Institutes of Health with respect to research on autism spectrum disorder and enhance programs relating to autism, and for other purposes.</officialTitle></longTitle><enactingFormula><i>Be it enacted by the Senate and House of Representatives of the United States of America in Congress assembled, </i></enactingFormula>
<section identifier="/us/bill/116/hr/1058/s1" id="H556762AB638D46A6A6FFBA0FF75A797F"><num value="1">SECTION 1. </num><heading>SHORT TITLE.</heading><content class="block">This Act may be cited as the “<shortTitle role="act">Autism Collaboration, Accountability, Research, Education, and Support Act of 2019</shortTitle>” or the “<shortTitle role="act">Autism CARES Act of 2019</shortTitle>”.</content></section>
<section role="instruction" identifier="/us/bill/116/hr/1058/s2" id="HF3C13D2BA09C4C84AEDFF1A60308C940"><num value="2">SEC. 2. </num><heading>EXPANSION, INTENSIFICATION, AND COORDINATION OF ACTIVITIES OF THE NIH WITH RESPECT TO RESEARCH ON AUTISM SPECTRUM DISORDER.</heading>
<chapeau class="indent0">Section 409C of the Public Health Service Act (<ref href="/us/usc/t42/s284g">42 U.S.C. 284g</ref>) <amendingAction type="amend">is amended</amendingAction>—</chapeau>
<paragraph identifier="/us/bill/116/hr/1058/s2/1" id="H9DD4A55FE45D48CCA72EBABF0C69DB89" class="indent1"><num value="1">(1) </num><chapeau>in subsection (a)(1)—</chapeau>
<subparagraph identifier="/us/bill/116/hr/1058/s2/1/A" id="H42AEA8F5FC894EFA9266EA0622AF9193" class="indent2"><num value="A">(A) </num><content>in the first sentence, by <amendingAction type="delete">striking</amendingAction> “<quotedText>and toxicology</quotedText>” and <amendingAction type="insert">inserting</amendingAction> “<quotedText>toxicology, and interventions to maximize outcomes for individuals with autism spectrum disorder</quotedText>”; and</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/1058/s2/1/B" id="H4CFE8CFC4AFB430DB27567E4BFA7B490" class="indent2"><num value="B">(B) </num><content>by <amendingAction type="delete">striking</amendingAction> the second sentence and <amendingAction type="insert">inserting</amendingAction> the following: “<quotedText>Such research shall investigate the causes (including possible environmental causes), diagnosis or ruling out, early and ongoing detection, prevention, services across the lifespan, supports, intervention, and treatment of autism spectrum disorder, including dissemination and implementation of clinical care, supports, interventions, and treatments.</quotedText>”;</content></subparagraph></paragraph>
<paragraph identifier="/us/bill/116/hr/1058/s2/2" id="HD7CE1A104E184D7CB7C6FC796BD22135" class="indent1"><num value="2">(2) </num><chapeau>in subsection (b)—</chapeau>
<subparagraph identifier="/us/bill/116/hr/1058/s2/2/A" id="H4CCCD2A4E510464CB3B2EEE6831071E9" class="indent2"><num value="A">(A) </num><chapeau>in paragraph (2)—</chapeau>
<clause identifier="/us/bill/116/hr/1058/s2/2/A/i" id="HCB8B724F323C48229B05CD31AB63776D" class="indent3"><num value="i">(i) </num><content>in the second sentence, by <amendingAction type="delete">striking</amendingAction> “<quotedText>cause</quotedText>” and all that follows through “<quotedText>disorder</quotedText>” and <amendingAction type="insert">inserting</amendingAction> “<quotedText>causes, diagnosis, early and ongoing detection, prevention, and treatment of autism spectrum disorder across the lifespan</quotedText>”; and</content></clause>
<clause identifier="/us/bill/116/hr/1058/s2/2/A/ii" id="H02DDEC65373443D8B7D1E509A08E8A9E" class="indent3"><num value="ii">(ii) </num><content>in the third sentence, by <amendingAction type="delete">striking</amendingAction> “<quotedText>neurobiology</quotedText>” and all that follows through the period and <amendingAction type="insert">inserting</amendingAction> “<quotedText>neurobiology, genetics, genomics, psychopharmacology, developmental psychology, behavioral psychology, and clinical psychology.</quotedText>”; and</content></clause></subparagraph>
<subparagraph identifier="/us/bill/116/hr/1058/s2/2/B" id="HCAA5AC5129D447F1ABA491940D4EB43F" class="indent2"><num value="B">(B) </num><content>in paragraph (3), by <amendingAction type="add">adding</amendingAction> at the end the following:
<quotedContent id="H84049804809A49549F554539AA51C4B9" styleType="OLC">
<subparagraph id="H40CA0DBF1D9945D4819C9526FF67F99E" class="indent2"><num value="D">“(D) </num><heading><inline class="smallCaps">Reducing disparities</inline>.—</heading><content>The Director may consider, as appropriate, the extent to which a center can demonstrate availability and access to clinical services for youth and adults from diverse racial, ethnic, geographic, or linguistic backgrounds in decisions about awarding grants to applicants which meet the scientific criteria for funding under this section.”</content></subparagraph></quotedContent><inline role="after-quoted-block">.</inline></content></subparagraph></paragraph></section>
<section identifier="/us/bill/116/hr/1058/s3" id="HF86461D06B1E485B89A874AF803A6826"><num value="3">SEC. 3. </num><heading>PROGRAMS RELATING TO AUTISM.</heading>
<subsection role="instruction" identifier="/us/bill/116/hr/1058/s3/a" id="H34A6CE28EB70489DA369DB142AC39E4D" class="indent0"><num value="a">(a) </num><heading><inline class="smallCaps">Developmental Disabilities Surveillance and Research Program</inline>.—</heading><chapeau>Section 399AA of the Public Health Service Act (<ref href="/us/usc/t42/s280i">42 U.S.C. 280i</ref>) <amendingAction type="amend">is amended</amendingAction>—</chapeau>
<paragraph identifier="/us/bill/116/hr/1058/s3/a/1" id="H4B881DC5569E42FDBA1C058E27974051" class="indent1"><num value="1">(1) </num><content>in subsection (a)(1), by <amendingAction type="delete">striking</amendingAction> “<quotedText>adults on autism spectrum disorder</quotedText>” and <amendingAction type="insert">inserting</amendingAction> “<quotedText>adults with autism spectrum disorder</quotedText>”;</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1058/s3/a/2" id="H8B47BD412BCA4F118CB7F79F6E7E9D0A" class="indent1"><num value="2">(2) </num><chapeau>in subsection (a)(2)—</chapeau>
<subparagraph identifier="/us/bill/116/hr/1058/s3/a/2/A" id="H7C7494B3AB2F4C909F9485654A8D68CB" class="indent2"><num value="A">(A) </num><content>by <amendingAction type="delete">striking</amendingAction> “<quotedText>State and local public health officials</quotedText>” and <amendingAction type="insert">inserting</amendingAction> “<quotedText>State, local, and Tribal public health officials</quotedText>”;</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/1058/s3/a/2/B" id="HA1CD9519C60F4F43B17B8A0DE9DA70A7" class="indent2"><num value="B">(B) </num><content>by <amendingAction type="delete">striking</amendingAction> “<quotedText>or other developmental disabilities</quotedText>” and <amendingAction type="insert">inserting</amendingAction> “<quotedText>and other developmental disabilities</quotedText>”;</content></subparagraph></paragraph>
<paragraph identifier="/us/bill/116/hr/1058/s3/a/3" id="H435C5E626A7642919B0B6080D69A87BD" class="indent1"><num value="3">(3) </num><content>in subsection (a)(3), by <amendingAction type="delete">striking</amendingAction> “<quotedText>a university, or any other educational institution</quotedText>” and <amendingAction type="insert">inserting</amendingAction> “<quotedText>a university, any other educational institution, an Indian tribe, or a tribal organization</quotedText>”;</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1058/s3/a/4" id="H344758424DC2447C804E1610600A8357" class="indent1"><num value="4">(4) </num><content>in subsection (b)(2)(A), by <amendingAction type="delete">striking</amendingAction> “<quotedText>relevant State and local public health officials, private sector developmental disability researchers, and advocates for individuals with developmental disabilities</quotedText>” and <amendingAction type="insert">inserting</amendingAction> “<quotedText>State, local, and Tribal public health officials, private sector developmental disability researchers, advocates for individuals with autism spectrum disorder, and advocates for individuals with other developmental disabilities</quotedText>”;</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1058/s3/a/5" id="HCC03ABC83837409F9D92DC93FAA93D7D" class="indent1"><num value="5">(5) </num><chapeau>in subsection (d)—</chapeau>
<subparagraph identifier="/us/bill/116/hr/1058/s3/a/5/A" id="H175410C49FBE4551BE35C6019318C79F" class="indent2"><num value="A">(A) </num><content>by <amendingAction type="redesignate">redesignating</amendingAction> paragraphs (1) and (2) as paragraphs (2) and (3), respectively; and</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/1058/s3/a/5/B" id="HDB37BE37064247209A69EC5B78CC6FEC" class="indent2"><num value="B">(B) </num><content>by <amendingAction type="insert">inserting</amendingAction> before paragraph (2), as so redesignated, the following new paragraph:
<quotedContent id="H3C42358EFC584D6888672482F87B683D" styleType="OLC">
<paragraph id="H8C747C585D8C4FF39EA4FA09447B0293" class="indent1"><num value="1">“(1) </num><heading><inline class="smallCaps">Indian tribe; tribal organization</inline>.—</heading><content>The terms Indian tribe and tribal organization have the meanings given such terms in section 4 of the Indian Health Care Improvement Act.”</content></paragraph></quotedContent><inline role="after-quoted-block">; and</inline></content></subparagraph></paragraph>
<paragraph identifier="/us/bill/116/hr/1058/s3/a/6" id="HF5F1C863516E4D7991F5FA391AF41DDD" class="indent1"><num value="6">(6) </num><content>in subsection (e), by <amendingAction type="delete">striking</amendingAction> “<quotedText>2019</quotedText>” and <amendingAction type="insert">inserting</amendingAction> “<quotedText>2024</quotedText>”.</content></paragraph></subsection>
<subsection role="instruction" identifier="/us/bill/116/hr/1058/s3/b" id="H08C6865C14A642958EC199F1210D7BC8" class="indent0"><num value="b">(b) </num><heading><inline class="smallCaps">Autism Education, Early Detection, and Intervention</inline>.—</heading><chapeau>Section 399BB of the Public Health Service Act (<ref href="/us/usc/t42/s280i1">42 U.S.C. 280i1</ref>) <amendingAction type="amend">is amended</amendingAction>—</chapeau>
<paragraph identifier="/us/bill/116/hr/1058/s3/b/1" id="H4777BCB50D9A4AD6AE9616C4025FE880" class="indent1"><num value="1">(1) </num><chapeau>in subsection (a)(1)—</chapeau>
<subparagraph identifier="/us/bill/116/hr/1058/s3/b/1/A" id="HE4926C197316404D9313BA9404BF1F21" class="indent2"><num value="A">(A) </num><content>by <amendingAction type="delete">striking</amendingAction> “<quotedText>individuals with autism spectrum disorder or other developmental disabilities</quotedText>” and <amendingAction type="insert">inserting</amendingAction> “<quotedText>individuals with autism spectrum disorder and other developmental disabilities</quotedText>”; and</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/1058/s3/b/1/B" id="H35DA7D30DBD946CCA87AC1FC5B68D207" class="indent2"><num value="B">(B) </num><content>by <amendingAction type="delete">striking</amendingAction> “<quotedText>children with autism spectrum disorder</quotedText>” and all that follows through “<quotedText>disabilities;</quotedText>” and <amendingAction type="insert">inserting</amendingAction> “<quotedText>individuals with autism spectrum disorder and other developmental disabilities across their lifespan;</quotedText>”;</content></subparagraph></paragraph>
<paragraph identifier="/us/bill/116/hr/1058/s3/b/2" id="H32E7631D764A4345A4983F7E1D190587" class="indent1"><num value="2">(2) </num><chapeau>in subsection (b)—</chapeau>
<subparagraph identifier="/us/bill/116/hr/1058/s3/b/2/A" id="H6344AE34D68D4369A2367036A921057B" class="indent2"><num value="A">(A) </num><content>in paragraph (2), by <amendingAction type="insert">inserting</amendingAction> “<quotedText>individuals with</quotedText>” before “<quotedText>autism spectrum disorder</quotedText>”;</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/1058/s3/b/2/B" id="H40D7C074F8A145DEA0490F0F7E14923D" class="indent2"><num value="B">(B) </num><content>by <amendingAction type="redesignate">redesignating</amendingAction> paragraphs (4) through (6) as paragraphs (5) through (7), respectively; and</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/1058/s3/b/2/C" id="H450CCEC085604F80879DFCB82A1D3FB9" class="indent2"><num value="C">(C) </num><content>by <amendingAction type="insert">inserting</amendingAction> after paragraph (3) the following:
<quotedContent id="HD6BED7FB9FD5470D952079553452A2D0" styleType="OLC">
<paragraph id="H479024DD07C14AF5A3876AE3E209E1A5" class="indent1"><num value="4">“(4) </num><content>promote evidence-based screening techniques and interventions for individuals with autism spectrum disorder and other developmental disabilities across their lifespan;”</content></paragraph></quotedContent><inline role="after-quoted-block">;</inline></content></subparagraph></paragraph>
<paragraph identifier="/us/bill/116/hr/1058/s3/b/3" id="HCD48E72898E248DA9663991A2B568D25" class="indent1"><num value="3">(3) </num><chapeau>in subsection (c)—</chapeau>
<subparagraph identifier="/us/bill/116/hr/1058/s3/b/3/A" id="HF6D43A6F64BA4D61A11DAF38D9D25939" class="indent2"><num value="A">(A) </num><content>in paragraph (1), in the matter preceding subparagraph (A), by <amendingAction type="delete">striking</amendingAction> “<quotedText>the needs of individuals with autism spectrum disorder or other developmental disabilities and their families</quotedText>” and <amendingAction type="insert">inserting</amendingAction> “<quotedText>the needs of individuals with autism spectrum disorder and other developmental disabilities across their lifespan and the needs of their families</quotedText>”; and</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/1058/s3/b/3/B" id="H7AD56C41BA9A4391B7E2B73430D06A79" class="indent2"><num value="B">(B) </num><chapeau>in paragraph (2)—</chapeau>
<clause identifier="/us/bill/116/hr/1058/s3/b/3/B/i" id="H58A602D1A7C548F1865744F230C95286" class="indent3"><num value="i">(i) </num><content>in subparagraph (A)(ii), by <amendingAction type="delete">striking</amendingAction> “<quotedText>caregivers of individuals with an autism spectrum disorder</quotedText>” and <amendingAction type="insert">inserting</amendingAction> “<quotedText>caregivers of individuals with autism spectrum disorder or other developmental disabilities</quotedText>”;</content></clause>
<clause identifier="/us/bill/116/hr/1058/s3/b/3/B/ii" id="HCBECECF3009D4A3EA9D11EF9342FEE82" class="indent3"><num value="ii">(ii) </num><content>in subparagraph (B)(i)(II), by <amendingAction type="insert">inserting</amendingAction> “<quotedText>autism spectrum disorder and</quotedText>” after “<quotedText>individuals with</quotedText>”; and</content></clause>
<clause identifier="/us/bill/116/hr/1058/s3/b/3/B/iii" id="H22E2C2B5C1ED424AACF72A8C1C9722D5" class="indent3"><num value="iii">(iii) </num><content>in subparagraph (B)(ii), by <amendingAction type="insert">inserting</amendingAction> “<quotedText>autism spectrum disorder and</quotedText>” after “<quotedText>individuals with</quotedText>”;</content></clause></subparagraph></paragraph>
<paragraph identifier="/us/bill/116/hr/1058/s3/b/4" id="HEBEEC7889B824913B6484DFCBA1A4DC0" class="indent1"><num value="4">(4) </num><chapeau>in subsection (e)—</chapeau>
<subparagraph identifier="/us/bill/116/hr/1058/s3/b/4/A" id="HEF0E7BA30637422DB6D903D99F149E9F" class="indent2"><num value="A">(A) </num><chapeau>in paragraph (1)—</chapeau>
<clause identifier="/us/bill/116/hr/1058/s3/b/4/A/i" id="H1F4406FA19784208BCF445ABC7D1D08F" class="indent3"><num value="i">(i) </num><content>in the matter preceding subparagraph (A), by <amendingAction type="insert">inserting</amendingAction> “<quotedText>across their lifespan</quotedText>” before “<quotedText>and ensure</quotedText>”; and</content></clause>
<clause identifier="/us/bill/116/hr/1058/s3/b/4/A/ii" id="H294292584FB740EB807DC59CE83F4F79" class="indent3"><num value="ii">(ii) </num><content>in subparagraph (B)(iv), by <amendingAction type="insert">inserting</amendingAction> “<quotedText>across their lifespan</quotedText>” after “<quotedText>other developmental disabilities</quotedText>”;</content></clause></subparagraph>
<subparagraph identifier="/us/bill/116/hr/1058/s3/b/4/B" id="H5B2D2E5AEE154507AF7D3F17D2BF8D83" class="indent2"><num value="B">(B) </num><content>by <amendingAction type="redesignate">redesignating</amendingAction> paragraphs (2) and (3) as paragraphs (3) and (4), respectively; and</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/1058/s3/b/4/C" id="H70AFC068CC31433D9D25169C2A0C90FF" class="indent2"><num value="C">(C) </num><content>by <amendingAction type="insert">inserting</amendingAction> after paragraph (1) the following:
<quotedContent id="HFDE453107A574E31A10189A7698DCB0D" styleType="OLC">
<paragraph id="HC5CB0E791D66495D8F27E1D8CB59C64F" class="indent1"><num value="2">“(2) </num><heading><inline class="smallCaps">Developmental-behavioral pediatrician training programs</inline>.—</heading>
<subparagraph id="H95D0BC56AC6A451388F95ECCCF74E388" class="indent2"><num value="A">“(A) </num><heading><inline class="smallCaps">In general</inline>.—</heading><content>In making awards under this subsection, the Secretary may prioritize awards to applicants that are developmental-behavioral pediatrician training programs located in rural or underserved areas.</content></subparagraph>
<subparagraph role="definitions" id="H12850DDD6B4B4213989AEBF1C72437A1" class="indent2"><num value="B">“(B) </num><heading><inline class="smallCaps">Definition of underserved area</inline>.—</heading><chapeau>In this paragraph, the term <term>underserved area</term> means—</chapeau>
<clause id="HE82D9CECE478474D8A8D509826F20D72" class="indent3"><num value="i">“(i) </num><content>a health professional shortage area (as defined in section 332(a)(1)(A)); and</content></clause>
<clause id="HA224BD8E19714B228F8E303BB2A8A073" class="indent3"><num value="ii">“(ii) </num><content>an urban or rural area designated by the Secretary as an area with a shortage of personal health services (as described in section 330(b)(3)(A)).”</content></clause></subparagraph></paragraph></quotedContent><inline role="after-quoted-block">;</inline></content></subparagraph></paragraph>
<paragraph identifier="/us/bill/116/hr/1058/s3/b/5" id="H7ABE07B027D742A0BD56566F78CB4F87" class="indent1"><num value="5">(5) </num><content>in subsection (f), by <amendingAction type="insert">inserting</amendingAction> “<quotedText>across the lifespan of such individuals</quotedText>” after “<quotedText>other developmental disabilities</quotedText>”; and</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1058/s3/b/6" id="H87A6FBCC47124E989D44D85BD2FE2152" class="indent1"><num value="6">(6) </num><content>in subsection (g), by <amendingAction type="delete">striking</amendingAction> “<quotedText>2019</quotedText>” and <amendingAction type="insert">inserting</amendingAction> “<quotedText>2024</quotedText>”.</content></paragraph></subsection>
<subsection role="instruction" identifier="/us/bill/116/hr/1058/s3/c" id="H7D4962376020489ABC02BE5F9A0D3875" class="indent0"><num value="c">(c) </num><heading><inline class="smallCaps">Interagency Autism Coordinating Committee</inline>.—</heading><chapeau>Section 399CC of the Public Health Service Act (<ref href="/us/usc/t42/s280i2">42 U.S.C. 280i2</ref>) <amendingAction type="amend">is amended</amendingAction>—</chapeau>
<paragraph identifier="/us/bill/116/hr/1058/s3/c/1" id="H3E477575D7C7427FBD5F21B2444CC78F" class="indent1"><num value="1">(1) </num><chapeau>in subsection (b)—</chapeau>
<subparagraph identifier="/us/bill/116/hr/1058/s3/c/1/A" id="HDEBAE893CC8C49069A4C53B829E64BE4" class="indent2"><num value="A">(A) </num><content>in paragraph (2), by <amendingAction type="insert">inserting</amendingAction> “<quotedText>across the lifespan of such individuals</quotedText>” before the semicolon; and</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/1058/s3/c/1/B" id="H41C8590DBED947CA941F0450CD912704" class="indent2"><num value="B">(B) </num><content>in paragraph (5), by <amendingAction type="insert">inserting</amendingAction> “<quotedText>across the lifespan of such individuals</quotedText>” before “<quotedText>and the families</quotedText>”;</content></subparagraph></paragraph>
<paragraph identifier="/us/bill/116/hr/1058/s3/c/2" id="H9BD04C0494284E479A812F3437140EB3" class="indent1"><num value="2">(2) </num><chapeau>in subsection (c)—</chapeau>
<subparagraph identifier="/us/bill/116/hr/1058/s3/c/2/A" id="H88F48DF8755E4AE4B1799B642E322F02" class="indent2"><num value="A">(A) </num><content>in paragraph (1)(D), by <amendingAction type="insert">inserting</amendingAction> “<quotedText>, the Department of Labor, the Department of Justice, the Department of Veterans Affairs, the Department of Housing and Urban Development,</quotedText>” after “<quotedText>Department of Education</quotedText>”;</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/1058/s3/c/2/B" id="H7379F7C069C040D4A13FC4575B9CD95C" class="indent2"><num value="B">(B) </num><content>in subparagraphs (A), (B), and (C) of paragraph (2), by <amendingAction type="delete">striking</amendingAction> “<quotedText>at least two such members</quotedText>” each place it appears and <amendingAction type="insert">inserting</amendingAction> “<quotedText>at least three such members</quotedText>”;</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/1058/s3/c/2/C" id="HCC358F45A9E140F7906D3764396A4DDC" class="indent2"><num value="C">(C) </num><content>in paragraph (3)(A), by <amendingAction type="delete">striking</amendingAction> “<quotedText>one or more additional 4-year terms</quotedText>” and <amendingAction type="insert">inserting</amendingAction> “<quotedText>one additional 4-year term</quotedText>”; and</content></subparagraph></paragraph>
<paragraph identifier="/us/bill/116/hr/1058/s3/c/3" id="H8ADE9CDE29C049E484C24686EF4401BC" class="indent1"><num value="3">(3) </num><content>in subsection (f), by <amendingAction type="delete">striking</amendingAction> “<quotedText>2019</quotedText>” and <amendingAction type="insert">inserting</amendingAction> “<quotedText>2024</quotedText>”.</content></paragraph></subsection>
<subsection role="instruction" identifier="/us/bill/116/hr/1058/s3/d" id="HEC378E6BB64847C6AB934328A3336990" class="indent0"><num value="d">(d) </num><heading><inline class="smallCaps">Reports to Congress</inline>.—</heading><chapeau>Section 399DD of the Public Health Service Act (<ref href="/us/usc/t42/s280i3">42 U.S.C. 280i3</ref>) <amendingAction type="amend">is amended</amendingAction>—</chapeau>
<paragraph identifier="/us/bill/116/hr/1058/s3/d/1" id="H6CC980846264440FA63E53E806402798" class="indent1"><num value="1">(1) </num><chapeau>in subsection (a)—</chapeau>
<subparagraph identifier="/us/bill/116/hr/1058/s3/d/1/A" id="H28E820A98FC544E88C00B9D385964A84" class="indent2"><num value="A">(A) </num><content>in paragraph (1), by <amendingAction type="delete">striking</amendingAction> “<quotedText>Autism CARES Act of 2014</quotedText>” and <amendingAction type="insert">inserting</amendingAction> “<quotedText>Autism CARES Act of 2019</quotedText>”; and</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/1058/s3/d/1/B" id="H2491B9A97F114C2AA176108EB63591BD" class="indent2"><num value="B">(B) </num><chapeau>in paragraph (2)—</chapeau>
<clause identifier="/us/bill/116/hr/1058/s3/d/1/B/i" id="HDB40B31A14674C99A5B570B1FD1861AA" class="indent3"><num value="i">(i) </num><content>in subparagraphs (A), (B), (D), and (E), by <amendingAction type="delete">striking</amendingAction> “<quotedText>Autism CARES Act of 2014</quotedText>” each place it appears and <amendingAction type="insert">inserting</amendingAction> “<quotedText>Autism CARES Act of 2019</quotedText>”;</content></clause>
<clause identifier="/us/bill/116/hr/1058/s3/d/1/B/ii" id="H2CC3BD4F2EA449508DF7368B28263798" class="indent3"><num value="ii">(ii) </num><content>in subparagraph (G), by <amendingAction type="delete">striking</amendingAction> “<quotedText>age of the child</quotedText>” and <amendingAction type="insert">inserting</amendingAction> “<quotedText>age of the individual</quotedText>”;</content></clause>
<clause identifier="/us/bill/116/hr/1058/s3/d/1/B/iii" id="H8939C030FB2942B48B2DAC14C5D9E122" class="indent3"><num value="iii">(iii) </num><content>in subparagraph (H), by <amendingAction type="delete">striking</amendingAction> “<quotedText>; and</quotedText>” and <amendingAction type="insert">inserting</amendingAction> “<quotedText>;</quotedText>”;</content></clause>
<clause identifier="/us/bill/116/hr/1058/s3/d/1/B/iv" id="H75FA67DDF31F41458597EEC49A557E18" class="indent3"><num value="iv">(iv) </num><content>in subparagraph (I), by <amendingAction type="delete">striking</amendingAction> the period and <amendingAction type="insert">inserting</amendingAction> “<quotedText>; and</quotedText>”; and</content></clause>
<clause identifier="/us/bill/116/hr/1058/s3/d/1/B/v" id="H027AC9A303DF43B59DD185E977DF0570" class="indent3"><num value="v">(v) </num><content>by <amendingAction type="add">adding</amendingAction> at the end the following:
<quotedContent id="H9D7BDAD41E0E4531B9A2611CFD0D4963" styleType="OLC">
<subparagraph id="H6B7A3ECBBCDF42ADBBC0A03C771ADF5B" class="indent2"><num value="J">“(J) </num><content>information on how States use home- and community-based services and other supports to ensure that individuals with autism spectrum disorder and other developmental disabilities are living, working, and participating in their community.”</content></subparagraph></quotedContent><inline role="after-quoted-block">; and</inline></content></clause></subparagraph></paragraph>
<paragraph identifier="/us/bill/116/hr/1058/s3/d/2" id="H26A8403708C9452E9445C46BCC7342C9" class="indent1"><num value="2">(2) </num><chapeau>in subsection (b)—</chapeau>
<subparagraph identifier="/us/bill/116/hr/1058/s3/d/2/A" id="HA64543CEA8B24E9B8FBD1B975ECF9B76" class="indent2"><num value="A">(A) </num><content>in the heading, by <amendingAction type="delete">striking</amendingAction> “<headingText role="subsection" styleType="OLC" class="smallCaps">Young Adults and Transitioning Youth</headingText>” and <amendingAction type="insert">inserting</amendingAction> “<headingText role="subsection" styleType="OLC" class="smallCaps">the Health and Well-Being of Individuals With Autism Spectrum Disorder Across Their Lifespan</headingText>”;</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/1058/s3/d/2/B" id="HA37A614D0D3F4373B2B9A95EBFFE5794" class="indent2"><num value="B">(B) </num><content>by <amendingAction type="amend">amending</amendingAction> paragraph (1) to read as follows:
<quotedContent id="HAF7892004A1244D2BC6C30F7C870F47D" styleType="OLC">
<paragraph id="H49CCD88377744E40BAD62E0A17F82CE5" class="indent1"><num value="1">“(1) </num><heading><inline class="smallCaps">In general</inline>.—</heading><content>Not later than 2 years after the date of enactment of the Autism CARES Act of 2019, the Secretary shall prepare and submit, to the Committee on Health, Education, Labor, and Pensions of the Senate and the Committee on Energy and Commerce of the House of Representatives, a report concerning the health and well-being of individuals with autism spectrum disorder.”</content></paragraph></quotedContent><inline role="after-quoted-block">; and</inline></content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/1058/s3/d/2/C" id="HF8D5266DE5A44D5792AC3CE41F083C8D" class="indent2"><num value="C">(C) </num><chapeau>in paragraph (2)—</chapeau>
<clause identifier="/us/bill/116/hr/1058/s3/d/2/C/i" id="HFF5A46CF7457445BA0EDA5B71A5E9498" class="indent3"><num value="i">(i) </num><content>by <amendingAction type="amend">amending</amendingAction> subparagraph (A) to read as follows:
<quotedContent id="HC0840C6393DA438CB6EDD5D0F1A1C6F1" styleType="OLC">
<subparagraph id="H11D98F3E016E485FABFA2DD7E108632B" class="indent2"><num value="A">“(A) </num><content>demographic factors associated with the health and well-being of individuals with autism spectrum disorder;”</content></subparagraph></quotedContent><inline role="after-quoted-block">;</inline></content></clause>
<clause identifier="/us/bill/116/hr/1058/s3/d/2/C/ii" id="H987BFF4E40DD4F16AC5726DB27255E11" class="indent3"><num value="ii">(ii) </num><content>in subparagraph (B), by <amendingAction type="delete">striking</amendingAction> “<quotedText>young adults</quotedText>” and all that follows through the semicolon and <amendingAction type="insert">inserting</amendingAction> “<quotedText>the health and well-being of individuals with autism spectrum disorder, including an identification of existing Federal laws, regulations, policies, research, and programs;</quotedText>”; and</content></clause>
<clause identifier="/us/bill/116/hr/1058/s3/d/2/C/iii" id="HB6F995A7044742909C43B16139ED04FC" class="indent3"><num value="iii">(iii) </num><content>by <amendingAction type="amend">amending</amendingAction> subparagraphs (C), (D), and (E) to read as follows:
<quotedContent id="HCA4CBAEAD2594DAC8373C7F2188899AE" styleType="OLC">
<subparagraph id="H0FD9EA8BC96247D7864ADCC0E34A3543" class="indent2"><num value="C">“(C) </num><content>recommendations on establishing best practices guidelines to ensure interdisciplinary coordination between all relevant service providers receiving Federal funding;</content></subparagraph>
<subparagraph id="H77DC40423FE9491C8BF3314F56196017" class="indent2"><num value="D">“(D) </num><chapeau>comprehensive approaches to improving health outcomes and well-being for individuals with autism spectrum disorder, including—</chapeau>
<clause id="H84DB9976C2724B889F85AD3CB8B6F5A6" class="indent3"><num value="i">“(i) </num><content>community-based behavioral supports and interventions;</content></clause>
<clause id="H70EE7248D54C4ED8BB778BCBBAA06F6D" class="indent3"><num value="ii">“(ii) </num><content>nutrition, recreational, and social activities; and</content></clause>
<clause id="H407FF82AAF834F01B2251759406D318B" class="indent3"><num value="iii">“(iii) </num><content>personal safety services related to public safety agencies or the criminal justice system for such individuals; and</content></clause></subparagraph>
<subparagraph id="H2AA3B9CA977540EFAA95A5B6A76A200D" class="indent2"><num value="E">“(E) </num><chapeau>recommendations that seek to improve health outcomes for such individuals, including across their lifespan, by addressing—</chapeau>
<clause id="H872579DDFA5F4EA99DE3C68C69DE2B1E" class="indent3"><num value="i">“(i) </num><content>screening and diagnosis of children and adults;</content></clause>
<clause id="H46B19F9AE5C149FCBB30A57E275E24E9" class="indent3"><num value="ii">“(ii) </num><content>behavioral and other therapeutic approaches;</content></clause>
<clause id="HA5E9144A4A93429F82F5FBDF904E4B47" class="indent3"><num value="iii">“(iii) </num><content>primary and preventative care;</content></clause>
<clause id="H2864E858537E4B859B1FB66ADB4D6A5F" class="indent3"><num value="iv">“(iv) </num><content>communication challenges;</content></clause>
<clause id="HF4E157267A204563BD86C430B22109BE" class="indent3"><num value="v">“(v) </num><content>aggression, self-injury, elopement, and other behavioral issues;</content></clause>
<clause id="H34C3789C4C2042B893D0C4A979522D8E" class="indent3"><num value="vi">“(vi) </num><content>emergency room visits and acute care hospitalization;</content></clause>
<clause id="HBB3B50859C794AB38430F8D0ED5C52C4" class="indent3"><num value="vii">“(vii) </num><content>treatment for co-occurring physical and mental health conditions;</content></clause>
<clause id="H551A4A5CBE8E406EBE6F7D4AFC039D05" class="indent3"><num value="viii">“(viii) </num><content>premature mortality;</content></clause>
<clause id="HD2F7FFCEC75541678FC96F1BEF33562F" class="indent3"><num value="ix">“(ix) </num><content>medical practitioner training; and</content></clause>
<clause id="H52DE1795F90640B4B0D5A0A819EB4464" class="indent3"><num value="x">“(x) </num><content>caregiver mental health.”</content></clause></subparagraph></quotedContent><inline role="after-quoted-block">.</inline></content></clause></subparagraph></paragraph></subsection>
<subsection role="instruction" identifier="/us/bill/116/hr/1058/s3/e" id="H974385F96FB742B6A9312F465FFD96A1" class="indent0"><num value="e">(e) </num><heading><inline class="smallCaps">Authorization of Appropriations</inline>.—</heading><chapeau>Section 399EE of the Public Health Service Act (<ref href="/us/usc/t42/s280i4">42 U.S.C. 280i4</ref>) <amendingAction type="amend">is amended</amendingAction>—</chapeau>
<paragraph identifier="/us/bill/116/hr/1058/s3/e/1" id="HCFB7A6736D514072AA8331E2EC2C9BF6" class="indent1"><num value="1">(1) </num><content>in subsection (a), by <amendingAction type="delete">striking</amendingAction> “<quotedText>$22,000,000 for each of fiscal years 2015 through 2019</quotedText>” and <amendingAction type="insert">inserting</amendingAction> “<quotedText>$23,100,000 for each of fiscal years 2020 through 2024</quotedText>”;</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1058/s3/e/2" id="H8992872BAD424D99BD7D5AC2F31C54E2" class="indent1"><num value="2">(2) </num><content>in subsection (b), by <amendingAction type="delete">striking</amendingAction> “<quotedText>$48,000,000 for each of fiscal years 2015 through 2019</quotedText>” and <amendingAction type="insert">inserting</amendingAction> “<quotedText>$50,599,000 for each of fiscal years 2020 through 2024</quotedText>”; and</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1058/s3/e/3" id="H58E3CA66B426420E852C0C7244561485" class="indent1"><num value="3">(3) </num><content>in subsection (c), by <amendingAction type="delete">striking</amendingAction> “<quotedText>there is authorized to be appropriated $190,000,000 for each of fiscal years 2015 through 2019</quotedText>” and <amendingAction type="insert">inserting</amendingAction> “<quotedText>there are authorized to be appropriated $296,000,000 for each of fiscal years 2020 through 2024</quotedText>”.</content></paragraph></subsection></section></main>
<attestation><action><actionDescription>Passed the House of Representatives </actionDescription><date date="2019-07-24" meta="chamber:House">July 24, 2019</date>.</action>
<signatures>
<signature><notation type="attestation">Attest: </notation><name>CHERYL L. JOHNSON,</name><role>Clerk</role>.</signature></signatures></attestation></bill>

View File

@@ -0,0 +1,52 @@
<?xml version="1.0" encoding="UTF-8"?><?xml-stylesheet type="text/css" href="uslm.css"?><bill xmlns="http://schemas.gpo.gov/xml/uslm" xmlns:dc="http://purl.org/dc/elements/1.1/" xmlns:html="http://www.w3.org/1999/xhtml" xmlns:uslm="http://schemas.gpo.gov/xml/uslm" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://schemas.gpo.gov/xml/uslm uslm-2.1.0.xsd" xml:lang="en" id="H4B44F92E09804641AE2DAC8B5ACC7576"><!--Disclaimer: Legislative measures that include compacts or other non-standard data structures will require additional modeling and may contain inconsistencies in the converted USLM XML.--> <meta>
<dc:title>116 HR 1079 RS: To require the Director of the Office of Management and Budget to issue guidance on electronic consent forms, and for other purposes.</dc:title>
<dc:type>House Bill</dc:type>
<docNumber>1079</docNumber>
<citableAs>116 HR 1079 RS</citableAs>
<citableAs>116hr1079rs</citableAs>
<citableAs>116 H. R. 1079 RS</citableAs>
<docStage>Reported in Senate</docStage>
<currentChamber>SENATE</currentChamber>
<dc:creator>United States Senate</dc:creator>
<processedBy>GPO XPub Bill to USLM Generator, version 0.5 + manual changes</processedBy>
<processedDate>2024-09-09</processedDate>
<dc:publisher>United States Government Publishing Office</dc:publisher>
<dc:format>text/xml</dc:format>
<dc:language>EN</dc:language>
<dc:rights>Pursuant to Title 17 Section 105 of the United States Code, this file is not subject to copyright protection and is in the public domain.</dc:rights>
<relatedDocument role="calendar" href="/us/116/scal/127">Calendar No. 127</relatedDocument>
<congress>116</congress>
<session>1</session>
<relatedDocument role="report" href="/us/srpt/116/50" value="CRPT-116srpt50">[Report No. 11650]</relatedDocument>
<publicPrivate>public</publicPrivate></meta>
<preface>
<slugLine>•HR 1079 RS</slugLine>
<distributionCode display="yes">II</distributionCode>
<relatedDocument role="calendar" href="/us/116/scal/127">Calendar No. 127</relatedDocument>
<congress value="116">116th CONGRESS</congress>
<session value="1">1st Session</session>
<dc:type>H. R. </dc:type>
<docNumber>1079</docNumber>
<relatedDocument role="report" href="/us/srpt/116/50" value="CRPT-116srpt50">[Report No. 11650]</relatedDocument>
<currentChamber value="SENATE">IN THE SENATE OF THE UNITED STATES</currentChamber>
<action><date><inline class="smallCaps">February </inline>12, 2019</date><actionDescription>Received; read twice and referred to the <committee addedDisplayStyle="italic" committeeId="SSGA00" deletedDisplayStyle="strikethrough">Committee on Homeland Security and Governmental Affairs</committee></actionDescription></action>
<action actionStage="Reported-in-Senate"><date><inline class="smallCaps">June </inline>25, 2019</date><actionDescription>Reported by <sponsor senateId="S345">Mr. <inline class="smallCaps">Johnson</inline></sponsor>, without amendment</actionDescription></action></preface>
<main id="HE107D7A8E0034697ACB4527B4DBFDB5B" styleType="OLC"><longTitle><docTitle>AN ACT</docTitle><officialTitle>To require the Director of the Office of Management and Budget to issue guidance on electronic consent forms, and for other purposes.</officialTitle></longTitle><enactingFormula><i>Be it enacted by the Senate and House of Representatives of the United States of America in Congress assembled, </i></enactingFormula>
<section identifier="/us/bill/116/hr/1079/s1" id="H2761C04217104A96904754FFF6978C7D"><num value="1">SECTION 1. </num><heading>SHORT TITLE.</heading><content class="block">This Act may be cited as the “<shortTitle role="act">Creating Advanced Streamlined Electronic Services for Constituents Act of 2019</shortTitle>” or the “<shortTitle role="act">CASES Act</shortTitle>”.</content></section>
<section identifier="/us/bill/116/hr/1079/s2" id="H5C21A836182846B5906756C2C80F7270"><num value="2">SEC. 2. </num><heading>SENSE OF CONGRESS.</heading>
<chapeau class="indent0">It is the sense of Congress that—</chapeau>
<paragraph identifier="/us/bill/116/hr/1079/s2/1" id="H6DB7B1572B93497089F34556C0FDDC92" class="indent1"><num value="1">(1) </num><content>congressional offices provide crucial services to constituents by acting as a liaison between the constituents and the respective agencies;</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1079/s2/2" id="HA50628A5D9F84FBCA7C2EA25D3480DC7" class="indent1"><num value="2">(2) </num><content>this includes assisting constituents by making inquiries and working toward resolutions on behalf of the constituent with the respective agencies; and</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1079/s2/3" id="H188952FF301B47FEA66ABC80429442B2" class="indent1"><num value="3">(3) </num><content>this process should be simplified through the creation of electronic forms that may be submitted under <ref href="/us/usc/t5/s552a">section 552a of title 5, United States Code</ref> (commonly referred to as the Privacy Act), thus modernizing the process for constituents and improving access and efficiency of Government services and agencies in order to expedite the resolution of the problem for which constituents sought help.</content></paragraph></section>
<section identifier="/us/bill/116/hr/1079/s3" id="H8086B6550EA5497896E7D56C6B3588A4"><num value="3">SEC. 3. </num><heading>OMB GUIDANCE ON ELECTRONIC CONSENT AND ACCESS FORMS.</heading>
<subsection identifier="/us/bill/116/hr/1079/s3/a" id="H40742405CB3E4607BC8D4415A2161FA3" class="indent0"><num value="a">(a) </num><heading><inline class="smallCaps">Guidance</inline>.—</heading><chapeau>Not later than 1 year after the date of the enactment of this Act, the Director shall issue guidance that does the following:</chapeau>
<paragraph identifier="/us/bill/116/hr/1079/s3/a/1" id="H32AA09C2AEF643519D265335B7CAD256" class="indent1"><num value="1">(1) </num><content>Requires each agency to accept electronic identity proofing and authentication processes for the purposes of allowing an individual to provide prior written consent for the disclosure of the individuals records under <ref href="/us/usc/t5/s552a/b">section 552a(b) of title 5, United States Code</ref>, or for individual access to records under section 552a(d) of such title.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1079/s3/a/2" id="HB94412EE18A74CA29035370B3363BFDC" class="indent1"><num value="2">(2) </num><content>Creates a template for electronic consent and access forms and requires each agency to post the template on the agency website and to accept the forms from any individual properly identity proofed and authenticated in accordance with paragraph (1) for the purpose of authorizing disclosure of the individuals records under <ref href="/us/usc/t5/s552a/b">section 552a(b) of title 5, United States Code</ref>, or for individual access to records under section 552a(d) of such title.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1079/s3/a/3" id="H86AF6DEA53234FB8866870B9C3AC24BD" class="indent1"><num value="3">(3) </num><content>Requires each agency to accept the electronic consent and access forms described in paragraph (2) from any individual properly identity proofed and authenticated in accordance with paragraph (1) for the purpose of authorizing disclosure of the individuals records to another entity, including a congressional office, in accordance with <ref href="/us/usc/t5/s552a/b">section 552a(b) of title 5, United States Code</ref>, or for individual access to records under section 552a(d).</content></paragraph></subsection>
<subsection identifier="/us/bill/116/hr/1079/s3/b" id="HA8C24B2FE9BD4B14AA27F703CA3DA628" class="indent0"><num value="b">(b) </num><heading><inline class="smallCaps">Agency Compliance</inline>.—</heading><content>Each agency shall comply with the guidance issued pursuant to subsection (a) not later than 1 year after the date on which such guidance is issued.</content></subsection>
<subsection identifier="/us/bill/116/hr/1079/s3/c" id="H4EC2553324EC4FA19AC19F11AFC873C0" class="indent0"><num value="c">(c) </num><heading><inline class="smallCaps">Definitions</inline>.—</heading><chapeau>In this section:</chapeau>
<paragraph identifier="/us/bill/116/hr/1079/s3/c/1" id="H21DAD79AC9344F5D9D5857172548A79B" class="indent1"><num value="1">(1) </num><heading><inline class="smallCaps">Agency; individual; record</inline>.—</heading><content>The terms “agency”, “individual”, and “record” have the meanings given those terms in <ref href="/us/usc/t5/s552a/a">section 552a(a) of title 5, United States Code</ref>.</content></paragraph>
<paragraph role="definitions" identifier="/us/bill/116/hr/1079/s3/c/2" id="H67F868D3AA484B878D4A0515569F0937" class="indent1"><num value="2">(2) </num><heading><inline class="smallCaps">Director</inline>.—</heading><content>The term “<term>Director</term>” means the Director of the Office of Management and Budget.</content></paragraph></subsection></section>
<section identifier="/us/bill/116/hr/1079/s4" id="HFCF1459C0F114C699832304601232E22"><num value="4">SEC. 4. </num><heading>NO ADDITIONAL FUNDS AUTHORIZED.</heading><content class="block">No additional funds are authorized to carry out the requirements of this Act. Such requirements shall be carried out using amounts otherwise authorized.</content></section>
<section identifier="/us/bill/116/hr/1079/s5" id="H1B5417728D914B0AA8270CEDB3369433"><num value="5">SEC. 5. </num><heading>DETERMINATION OF BUDGETARY EFFECTS.</heading><content class="block">The budgetary effects of this Act, for the purpose of complying with the Statutory Pay-As-You-Go Act of 2010, shall be determined by reference to the latest statement titled “Budgetary Effects of PAYGO Legislation” for this Act, submitted for printing in the Congressional Record by the Chairman of the House Budget Committee, provided that such statement has been submitted prior to the vote on passage.</content></section></main>
<endorsement orientation="landscape"><relatedDocument role="calendar" href="/us/116/scal/127">Calendar No. 127</relatedDocument><congress value="116">116th CONGRESS</congress><session value="1">1st Session</session><dc:type>H. R. </dc:type><docNumber>1079</docNumber><relatedDocument role="report" href="/us/srpt/116/50" value="CRPT-116srpt50">[Report No. 11650]</relatedDocument><longTitle><docTitle>AN ACT</docTitle><officialTitle>To require the Director of the Office of Management and Budget to issue guidance on electronic consent forms, and for other purposes.</officialTitle></longTitle><action><date date="2019-06-25"><inline class="smallCaps">June </inline>25, 2019</date><actionDescription>Reported without amendment</actionDescription></action></endorsement></bill>

View File

@@ -0,0 +1,65 @@
<?xml version="1.0" encoding="UTF-8"?><?xml-stylesheet type="text/css" href="uslm.css"?><bill xmlns="http://schemas.gpo.gov/xml/uslm" xmlns:dc="http://purl.org/dc/elements/1.1/" xmlns:html="http://www.w3.org/1999/xhtml" xmlns:uslm="http://schemas.gpo.gov/xml/uslm" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://schemas.gpo.gov/xml/uslm uslm-2.1.0.xsd" xml:lang="en" id="HADCD9574DADB4725B0D0BDC385D641CE"><!--Disclaimer: Legislative measures that include compacts or other non-standard data structures will require additional modeling and may contain inconsistencies in the converted USLM XML.--> <meta>
<dc:title>116 HR 1112 PCS: To amend chapter 44 of title 18, United States Code, to strengthen the background check procedures to be followed before a Federal firearms licensee may transfer a firearm to a person who is not such a licensee.</dc:title>
<dc:type>House Bill</dc:type>
<docNumber>1112</docNumber>
<citableAs>116 HR 1112 PCS</citableAs>
<citableAs>116hr1112pcs</citableAs>
<citableAs>116 H. R. 1112 PCS</citableAs>
<docStage>Placed on Calendar Senate</docStage>
<currentChamber>SENATE</currentChamber>
<dc:creator>United States Senate</dc:creator>
<processedBy>GPO XPub Bill to USLM Generator, version 0.5 + manual changes</processedBy>
<processedDate>2024-09-09</processedDate>
<dc:publisher>United States Government Publishing Office</dc:publisher>
<dc:format>text/xml</dc:format>
<dc:language>EN</dc:language>
<dc:rights>Pursuant to Title 17 Section 105 of the United States Code, this file is not subject to copyright protection and is in the public domain.</dc:rights>
<relatedDocument role="calendar" href="/us/116/scal/30">Calendar No. 30</relatedDocument>
<congress>116</congress>
<session>1</session>
<publicPrivate>public</publicPrivate></meta>
<preface>
<slugLine> HR 1112 PCS</slugLine>
<distributionCode display="yes">II</distributionCode>
<relatedDocument role="calendar" href="/us/116/scal/30">Calendar No. 30</relatedDocument>
<congress value="116">116th CONGRESS</congress>
<session value="1">1st Session</session>
<dc:type>H. R. </dc:type>
<docNumber>1112</docNumber>
<currentChamber value="SENATE">IN THE SENATE OF THE UNITED STATES</currentChamber>
<action><date><inline class="smallCaps">March </inline>4, 2019</date><actionDescription>Received; read the first time</actionDescription></action>
<action><date><inline class="smallCaps">March </inline>5, 2019</date><actionDescription>Read the second time and placed on the calendar</actionDescription></action></preface>
<main id="HF05A31E3420943BEB0D21AB1861E8984" styleType="OLC"><longTitle><docTitle>AN ACT</docTitle><officialTitle>To amend chapter 44 of title 18, United States Code, to strengthen the background check procedures to be followed before a Federal firearms licensee may transfer a firearm to a person who is not such a licensee.</officialTitle></longTitle><enactingFormula><i>Be it enacted by the Senate and House of Representatives of the United States of America in Congress assembled, </i></enactingFormula>
<section identifier="/us/bill/116/hr/1112/s1" id="HF06DBC4DF8324670880871C361763CCC"><num value="1">SECTION 1. </num><heading>SHORT TITLE.</heading><content class="block">This Act may be cited as the “<shortTitle role="act">Enhanced Background Checks Act of 2019</shortTitle>”.</content></section>
<section role="instruction" identifier="/us/bill/116/hr/1112/s2" id="H34FFEA8FFD1D489798F6DB286C3183F4"><num value="2">SEC. 2. </num><heading>STRENGTHENING OF BACKGROUND CHECK PROCEDURES TO BE FOLLOWED BEFORE A FEDERAL FIREARMS LICENSEE MAY TRANSFER A FIREARM TO A PERSON WHO IS NOT SUCH A LICENSEE.</heading>
<chapeau class="indent0"><ref href="/us/usc/t18/s922/t/1/B/ii">Section 922(t)(1)(B)(ii) of title 18, United States Code</ref> <amendingAction type="amend">is amended</amendingAction>—</chapeau>
<paragraph identifier="/us/bill/116/hr/1112/s2/1" id="HD9D0641FAC794D09BE1A980AE41AAE2B" class="indent1"><num value="1">(1) </num><content>in paragraph (1)(B), by <amendingAction type="delete">striking</amendingAction> clause (ii) and <amendingAction type="insert">inserting</amendingAction> the following:
<quotedContent id="H5510C43B02CC481B8F12A283C9D16323" styleType="OLC">
<clause id="H59CC1A94F78047AD8F9E4246DE0C651C" class="indent1"><num value="ii">“(ii) </num><chapeau>in the event the system has not notified the licensee that the receipt of a firearm by such other person would violate subsection (g) or (n) of this section—</chapeau>
<subclause id="H063E3464154040ECA9CCE2971A60DE4B" class="indent2"><num value="I">“(I) </num><chapeau>not fewer than 10 business days (meaning a day on which State offices are open) has elapsed since the licensee contacted the system, and the system has not notified the licensee that the receipt of a firearm by such other person would violate subsection (g) or (n) of this section, and the other person has submitted, electronically through a website established by the Attorney General or by first-class mail, a petition for review which—</chapeau>
<item id="H72B9E1C229084786A6655E0F05B53C20" class="indent3"><num value="aa">“(aa) </num><content>certifies that such other person has no reason to believe that such other person is prohibited by Federal, State, or local law from purchasing or possessing a firearm; and</content></item>
<item id="H7A03D7B88C2044369C6E4E75865F45C7" class="indent3"><num value="bb">“(bb) </num><content>requests that the system respond to the contact referred to in subparagraph (A) within 10 business days after the date the petition was submitted (or, if the petition is submitted by first-class mail, the date the letter containing the petition is postmarked); and</content></item></subclause>
<subclause id="HE8E38EE8193F446C807AA09A32F4C93B" class="indent2"><num value="II">“(II) </num><content>10 business days have elapsed since the other person so submitted the petition, and the system has not notified the licensee that the receipt of a firearm by such other person would violate subsection (g) or (n) of this section; and”</content></subclause></clause></quotedContent><inline role="after-quoted-block">; and</inline></content></paragraph>
<paragraph identifier="/us/bill/116/hr/1112/s2/2" id="H6FB8777DFB8743DA84DF42BB6E2F6BF2" class="indent1"><num value="2">(2) </num><content>by <amendingAction type="add">adding</amendingAction> at the end the following:
<quotedContent id="HD77DE268037F4788886D56E6577A4FCE" styleType="OLC">
<paragraph id="H6D86437301B346CE9520C02C94038912" class="indent1"><num value="7">“(7) </num><chapeau>The Attorney General shall—</chapeau>
<subparagraph id="HDB384E65383645DD9CC2A389BC26FA7C" class="indent2"><num value="A">“(A) </num><content>prescribe the form on which a petition shall be submitted pursuant to paragraph (1)(B)(ii);</content></subparagraph>
<subparagraph id="H5623319FEF0D40A3A43AA4270A4EAE48" class="indent2"><num value="B">“(B) </num><content>make the form available electronically, and provide a copy of the form to all licensees referred to in paragraph (1);</content></subparagraph>
<subparagraph id="H9A55BD0AFCBF4AB687E941AE5CB29F31" class="indent2"><num value="C">“(C) </num><content>provide the petitioner and the licensee involved written notice of receipt of the petition, either electronically or by first-class mail; and</content></subparagraph>
<subparagraph id="H70B0B1C14FF944AD93FBF809B111D9F8" class="indent2"><num value="D">“(D) </num><content>respond on an expedited basis to any such petition received by the Attorney General.</content></subparagraph></paragraph>
<paragraph id="H4669BE48167C486483656CA2CE7757A5" class="indent0"><num value="8">“(8)</num><subparagraph id="HABD5175F719040BA8C7014801E981661" class="inline"><num value="A">(A) </num><chapeau>If, after 3 business days have elapsed since the licensee initially contacted the system about a firearm transaction, the system notifies the licensee that the receipt of a firearm by such other person would not violate subsection (g) or (n), the licensee may continue to rely on that notification for the longer of—</chapeau>
<clause id="H72E2A826E31D45B4AF41815CCED21FC1" class="indent1"><num value="i">“(i) </num><content>an additional 25 calendar days after the licensee receives the notification; or</content></clause>
<clause id="HB0D0DDFED2644DC29C94E050F978D59D" class="indent1"><num value="ii">“(ii) </num><content>30 calendar days after the date of the initial contact.</content></clause></subparagraph>
<subparagraph id="H9FB6A644705A441B82442B000FB68ADC" class="indent0"><num value="B">“(B) </num><content>If such other person has met the requirements of paragraph (1)(B)(ii) before the system destroys the records related to the firearm transaction, the licensee may continue to rely on such other person having met the requirements for an additional 25 calendar days after the date such other person first met the requirements.”</content></subparagraph></paragraph></quotedContent><inline role="after-quoted-block">.</inline></content></paragraph></section>
<section identifier="/us/bill/116/hr/1112/s3" id="HA8AC67F0416541AAA9CD701A6EB739B5"><num value="3">SEC. 3. </num><heading>GAO REPORTS.</heading>
<chapeau class="indent0">Within 90 days after the end of each of the 1-year, 3-year, and 5-year periods that begin with the effective date of this Act, the Comptroller General of the United States shall prepare and submit to the Committee on the Judiciary of the House of Representatives and the Committee on the Judiciary of the Senate a written report analyzing the extent to which, during the respective period, paragraphs (1)(B)(ii) and (7) of <ref href="/us/usc/t18/s922/t">section 922(t) of title 18, United States Code</ref>, have prevented firearms from being transferred to prohibited persons, which report shall include but not be limited to the following—</chapeau>
<paragraph identifier="/us/bill/116/hr/1112/s3/1" id="HC86AA83AE11141CB8E0ACA3523310AD8" class="indent1"><num value="1">(1) </num><content>an assessment of the overall implementation of such subsections, including a description of the challenges faced in implementing such paragraphs; and</content></paragraph>
<paragraph identifier="/us/bill/116/hr/1112/s3/2" id="HCB9D615932874C75BCCE3AD64B3022F3" class="indent1"><num value="2">(2) </num><content>an aggregate description of firearm purchase delays and denials, and an aggregate analysis of the petitions submitted pursuant to such paragraph (1)(B)(ii).</content></paragraph></section>
<section identifier="/us/bill/116/hr/1112/s4" id="H39A32D8E296A45A793227C2CCED33104"><num value="4">SEC. 4. </num><heading>REPORTS ON PETITIONS SUPPORTING FIREARM TRANSFERS NOT IMMEDIATELY APPROVED BY NICS SYSTEM, THAT WERE NOT RESPONDED TO IN A TIMELY MANNER.</heading><content class="block">The Director of the Federal Bureau of Investigation shall make an annual report to the public on the number of petitions received by the national instant criminal background check system established under section 103 of the Brady Handgun Violence Prevention Act that were submitted pursuant to subclause (I) of <ref href="/us/usc/t18/s922/t/1/B/ii">section 922(t)(1)(B)(ii) of title 18, United States Code</ref>, with respect to which a determination was not made within the 10-day period referred to in subclause (II) of such section.</content></section>
<section role="instruction" identifier="/us/bill/116/hr/1112/s5" id="HAEF80AAD22D2490494A155C0A2A59C16"><num value="5">SEC. 5. </num><heading>NEW TERMINOLOGY FOR THOSE WITH MENTAL ILLNESS.</heading><content class="block"><ref href="/us/usc/t18/s922">Section 922 of title 18, United States Code</ref>, <amendingAction type="amend">is amended</amendingAction> in each of subsections (d)(4) and (g)(4) by <amendingAction type="delete">striking</amendingAction> “<quotedText>adjudicated as a mental defective</quotedText>” and <amendingAction type="insert">inserting</amendingAction> “<quotedText>adjudicated with mental illness, severe developmental disability, or severe emotional instability</quotedText>”.</content></section>
<section identifier="/us/bill/116/hr/1112/s6" id="H5680BAEC8B614963AE574F9468DC072F"><num value="6">SEC. 6. </num><heading>REPORT TO THE CONGRESS.</heading><content class="block">Within 150 days after the date of the enactment of this Act, the Attorney General, in consultation with the National Resource Center on Domestic Violence and Firearms, shall submit to the Congress a report analyzing the effect, if any, of this Act on the safety of victims of domestic violence, domestic abuse, dating partner violence, sexual assault, and stalking, and whether any further amendments to the background check process, including amendments to the conditions that must be met under this Act for a firearm to be transferred when the system has not notified the licensee that such transfer would not violate subsection (g) or (n) of <ref href="/us/usc/t18/s922">section 922 of title 18, United States Code</ref>, would likely result in a reduction in the risk of death or great bodily harm to victims of domestic violence, domestic abuse, dating partner violence, sexual assault, and stalking.</content></section>
<section identifier="/us/bill/116/hr/1112/s7" id="H467F1F83379342BFB63F9822FAE9F01F"><num value="7">SEC. 7. </num><heading>EFFECTIVE DATE.</heading><content class="block">This Act and the amendments made by this Act shall take effect 210 days after the date of the enactment of this Act.</content></section></main>
<attestation><action><actionDescription>Passed the House of Representatives </actionDescription><date date="2019-02-28" meta="chamber:House">February 28, 2019</date>.</action>
<signatures>
<signature><notation type="attestation">Attest: </notation><name>CHERYL L. JOHNSON,</name><role>Clerk.</role></signature></signatures></attestation>
<endorsement orientation="landscape"><relatedDocument role="calendar" href="/us/116/scal/30">Calendar No. 30</relatedDocument><congress value="116">116th CONGRESS</congress><session value="1">1st Session</session><dc:type>H. R. </dc:type><docNumber>1112</docNumber><longTitle><docTitle>AN ACT</docTitle><officialTitle>To amend chapter 44 of title 18, United States Code, to strengthen the background check procedures to be followed before a Federal firearms licensee may transfer a firearm to a person who is not such a licensee.</officialTitle></longTitle><action><date date="2019-03-05"><inline class="smallCaps">March </inline>5, 2019</date><actionDescription>Read the second time and placed on the calendar</actionDescription></action></endorsement></bill>

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

View File

@@ -0,0 +1,664 @@
<?xml version="1.0" encoding="UTF-8"?><?xml-stylesheet type="text/css" href="uslm.css"?><bill xmlns="http://schemas.gpo.gov/xml/uslm" xmlns:dc="http://purl.org/dc/elements/1.1/" xmlns:html="http://www.w3.org/1999/xhtml" xmlns:uslm="http://schemas.gpo.gov/xml/uslm" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://schemas.gpo.gov/xml/uslm uslm-2.1.0.xsd" xml:lang="en" id="H91C655B8025C4CE7BAC66FCBB2B68C62"><!--Disclaimer: Legislative measures that include compacts or other non-standard data structures will require additional modeling and may contain inconsistencies in the converted USLM XML.--> <meta>
<dc:title>116 HR 264 PCS: Making appropriations for financial services and general government for the fiscal year ending September 30, 2019, and for other purposes.</dc:title>
<dc:type>House Bill</dc:type>
<docNumber>264</docNumber>
<citableAs>116 HR 264 PCS</citableAs>
<citableAs>116hr264pcs</citableAs>
<citableAs>116 H. R. 264 PCS</citableAs>
<docStage>Placed on Calendar Senate</docStage>
<currentChamber>SENATE</currentChamber>
<dc:creator>United States Senate</dc:creator>
<processedBy>GPO XPub Bill to USLM Generator, version 0.5 + manual changes</processedBy>
<processedDate>2024-09-09</processedDate>
<dc:publisher>United States Government Publishing Office</dc:publisher>
<dc:format>text/xml</dc:format>
<dc:language>EN</dc:language>
<dc:rights>Pursuant to Title 17 Section 105 of the United States Code, this file is not subject to copyright protection and is in the public domain.</dc:rights>
<relatedDocument role="calendar" href="/us/116/scal/9">Calendar No. 9</relatedDocument>
<congress>116</congress>
<session>1</session>
<publicPrivate>public</publicPrivate></meta>
<preface>
<slugLine>•HR 264 PCS</slugLine>
<distributionCode display="yes">II</distributionCode>
<relatedDocument role="calendar" href="/us/116/scal/9">Calendar No. 9</relatedDocument>
<congress value="116">116th CONGRESS</congress>
<session value="1">1st Session</session>
<dc:type>H. R. </dc:type>
<docNumber>264</docNumber>
<currentChamber value="SENATE">IN THE SENATE OF THE UNITED STATES</currentChamber>
<action><date date="2019-01-09"><inline class="smallCaps">January </inline>9, 2019</date><actionDescription>Received; read the first time</actionDescription></action>
<action><date date="2019-01-10"><inline class="smallCaps">January </inline>10, 2019</date><actionDescription>Read the second time and placed on the calendar</actionDescription></action></preface>
<main id="HFE909E0DF0024D16B67BC25953B31204" styleType="appropriations"><longTitle><docTitle>AN ACT</docTitle><officialTitle>Making appropriations for financial services and general government for the fiscal year ending September 30, 2019, and for other purposes.</officialTitle></longTitle><enactingFormula><i>Be it enacted by the Senate and House of Representatives of the United States of America in Congress assembled, </i></enactingFormula><section id="H961702915E2A484DBE87A56462FE38D1" class="inline"><content class="inline">That the following sums are appropriated, out of any money in the Treasury not otherwise appropriated, for financial services and general government for the fiscal year ending September 30, 2019, and for other purposes, namely:</content></section>
<title identifier="/us/bill/116/hr/264/tI" id="H82F550FB4A8046F5AB29E82328AAA34D" styleType="appropriations"><num value="I">TITLE I</num><heading class="block">DEPARTMENT OF THE TREASURY</heading>
<appropriations level="intermediate" id="H52B6FF90024D4F5097EA6CEDB3D86E9F"><heading>Departmental Offices</heading></appropriations>
<appropriations level="small" id="H64E445BA0F6748619F92DA8A2C02770D"><heading><inline class="smallCaps">salaries and expenses</inline></heading><chapeau>For necessary expenses of the Departmental Offices including operation and maintenance of the Treasury Building and Freedmans Bank Building; hire of passenger motor vehicles; maintenance, repairs, and improvements of, and purchase of commercial insurance policies for, real properties leased or owned overseas, when necessary for the performance of official business; executive direction program activities; international affairs and economic policy activities; domestic finance and tax policy activities, including technical assistance to Puerto Rico; and Treasury-wide management policies and programs activities, $208,751,000: <proviso><i> Provided</i>, That of the amount appropriated under this heading—</proviso></chapeau>
<paragraph id="H420BDD44A7B84AED8D45D284E2DF9FDD" class="indent1"><num value="1">(1) </num><content>not to exceed $700,000 is for official reception and representation expenses, of which necessary amounts shall be available for expenses to support activities of the Financial Action Task Force, and not to exceed $350,000 shall be for other official reception and representation expenses;</content></paragraph>
<paragraph id="H56F2CC80552C47B99DB9BDFBFB50ECC9" class="indent1"><num value="2">(2) </num><content>not to exceed $258,000 is for unforeseen emergencies of a confidential nature to be allocated and expended under the direction of the Secretary of the Treasury and to be accounted for solely on the Secretarys certificate; and</content></paragraph>
<paragraph id="HF52AE7AB469F4C6888A5AA9800825AC0" class="indent1"><num value="3">(3) </num><chapeau>not to exceed $24,000,000 shall remain available until September 30, 2020, for—</chapeau>
<subparagraph id="HA87CE06DB0F34517A18AF820DE591FE4" class="indent2"><num value="A">(A) </num><content>the Treasury-wide Financial Statement Audit and Internal Control Program;</content></subparagraph>
<subparagraph id="HD62CB173BB5E45C4B5C2CAFBA15F65F6" class="indent2"><num value="B">(B) </num><content>information technology modernization requirements;</content></subparagraph>
<subparagraph id="HF9DB3192E99346D6A2E7A906E0AAFA3E" class="indent2"><num value="C">(C) </num><content>the audit, oversight, and administration of the Gulf Coast Restoration Trust Fund;</content></subparagraph>
<subparagraph id="H87EF55E8872F458CA8D97058E58AF6C2" class="indent2"><num value="D">(D) </num><content>the development and implementation of programs within the Office of Critical Infrastructure Protection and Compliance Policy, including entering into cooperative agreements;</content></subparagraph>
<subparagraph id="H16800D99644C4D2CB7EEEEC8185A2A95" class="indent2"><num value="E">(E) </num><content>operations and maintenance of facilities; and</content></subparagraph>
<subparagraph id="H19229D4F0BF54D999F20D2AA3EDB8100" class="indent2"><num value="F">(F) </num><content>international operations.</content></subparagraph></paragraph></appropriations>
<appropriations level="small" id="H6F042F7AF57F4F93AB66A091D252703F"><heading><inline class="smallCaps">office of terrorism and financial intelligence</inline></heading></appropriations>
<appropriations level="small" id="H0153ECA3A73D4E6882C72B1AC862D45C"><heading><inline class="smallCaps">salaries and expenses</inline></heading></appropriations>
<appropriations level="small" id="HB87A75C151AE40BB98FCDA796E9A404D"><content class="block">For the necessary expenses of the Office of Terrorism and Financial Intelligence to safeguard the financial system against illicit use and to combat rogue nations, terrorist facilitators, weapons of mass destruction proliferators, money launderers, drug kingpins, and other national security threats, $159,000,000: <proviso><i> Provided</i>, That of the amount appropriated under this heading: (1) up to $33,500,000 may be transferred to the Departmental Offices Salaries and Expenses appropriation and shall be available for administrative support to the Office of Terrorism and Financial Intelligence; and (2) up to $10,000,000 shall remain available until September 30, 2020: </proviso><proviso><i> Provided further</i>, That of the amount appropriated under this heading, not less than $1,000,000 shall be used to support and augment new and ongoing investigations into the illicit trade of synthetic opioids, particularly fentanyl and its analogues, originating from the Peoples Republic of China: </proviso><proviso><i> Provided further</i>, That not later than 180 days after the date of the enactment of this Act, the Secretary of the Treasury, in coordination with the Administrator of the Drug Enforcement Administration and the heads of other Federal agencies, as appropriate, shall submit a comprehensive report (which shall be submitted in unclassified form, but may include a classified annex) summarizing efforts by actors in the Peoples Republic of China to subvert United States laws and to supply illicit synthetic opioids to persons in the United States, including up-to-date estimates of the scale of illicit synthetic opioids flows from the Peoples Republic of China, to the Committee on Appropriations, the Committee on Homeland Security, and the Committee on Financial Services of the House of Representatives and the Committee on Appropriations, the Committee on Homeland Security and Governmental Affairs, and the Committee on Banking, Housing, and Urban Affairs of the Senate.</proviso></content></appropriations>
<appropriations level="small" changed="added" origin="#SSAP00" id="H8F4CAF14D6AE429EAA755B8F3F5C7BEA"><heading><inline class="smallCaps">cybersecurity enhancement account</inline></heading><content class="block">For salaries and expenses for enhanced cybersecurity for systems operated by the Department of the Treasury, $25,208,000, to remain available until September 30, 2021: <proviso><i> Provided</i>, That such funds shall supplement and not supplant any other amounts made available to the Treasury offices and bureaus for cybersecurity: </proviso><proviso><i> Provided further</i>, That the Chief Information Officer of the individual offices and bureaus shall submit a spend plan for each investment to the Treasury Chief Information Officer for approval: </proviso><proviso><i> Provided further</i>, That the submitted spend plan shall be reviewed and approved by the Treasury Chief Information Officer prior to the obligation of funds under this heading: </proviso><proviso><i> Provided further</i>, That of the total amount made available under this heading $1,000,000 shall be available for administrative expenses for the Treasury Chief Information Officer to provide oversight of the investments made under this heading: </proviso><proviso><i> Provided further</i>, That such funds shall supplement and not supplant any other amounts made available to the Treasury Chief Information Officer.</proviso></content></appropriations>
<appropriations level="small" changed="added" id="H986B71C3F2324EC99D11731C58F95A04"><heading><inline class="smallCaps">department-wide systems and capital investments programs</inline></heading></appropriations>
<appropriations level="small" changed="added" id="H8469F7EAB93448528BEAD70A4754FEBD"><heading><inline class="smallCaps">(including transfer of funds)</inline></heading><content class="block">For development and acquisition of automatic data processing equipment, software, and services and for repairs and renovations to buildings owned by the Department of the Treasury, $4,000,000, to remain available until September 30, 2021: <proviso><i> Provided</i>, That these funds shall be transferred to accounts and in amounts as necessary to satisfy the requirements of the Departments offices, bureaus, and other organizations: </proviso><proviso><i> Provided further,</i> That this transfer authority shall be in addition to any other transfer authority provided in this Act: </proviso><proviso><i> Provided further,</i> That none of the funds appropriated under this heading shall be used to support or supplement “Internal Revenue Service, Operations Support” or “Internal Revenue Service, Business Systems Modernization”.</proviso></content></appropriations>
<appropriations level="small" changed="added" id="HE5ABDD031950409FAD3AEEA655F05042"><heading><inline class="smallCaps">office of inspector general</inline></heading></appropriations>
<appropriations level="small" changed="added" id="H7B8F98E000844992ACD34B1E1B485D70"><heading><inline class="smallCaps">salaries and expenses</inline></heading><content class="block">For necessary expenses of the Office of Inspector General in carrying out the provisions of the Inspector General Act of 1978, $37,044,000, including hire of passenger motor vehicles; of which not to exceed $100,000 shall be available for unforeseen emergencies of a confidential nature, to be allocated and expended under the direction of the Inspector General of the Treasury; of which up to $2,800,000 to remain available until September 30, 2020, shall be for audits and investigations conducted pursuant to section 1608 of the Resources and Ecosystems Sustainability, Tourist Opportunities, and Revived Economies of the Gulf Coast States Act of 2012 (<ref href="/us/usc/t33/s1321">33 U.S.C. 1321 note</ref>); and of which not to exceed $1,000 shall be available for official reception and representation expenses.</content></appropriations>
<appropriations level="small" changed="added" id="HBB20339CD1DD4E9494C9C1990E6B519E"><heading><inline class="smallCaps">treasury inspector general for tax administration</inline></heading></appropriations>
<appropriations level="small" changed="added" id="HA544F70E4CC042AB9CB47BA9DEA48BCA"><heading><inline class="smallCaps">salaries and expenses</inline></heading><content class="block">For necessary expenses of the Treasury Inspector General for Tax Administration in carrying out the Inspector General Act of 1978, as amended, including purchase and hire of passenger motor vehicles (<ref href="/us/usc/t31/s1343/b">31 U.S.C. 1343(b)</ref>); and services authorized by <ref href="/us/usc/t5/s3109">5 U.S.C. 3109</ref>, at such rates as may be determined by the Inspector General for Tax Administration; $169,634,000, of which $5,000,000 shall remain available until September 30, 2020; of which not to exceed $6,000,000 shall be available for official travel expenses; of which not to exceed $500,000 shall be available for unforeseen emergencies of a confidential nature, to be allocated and expended under the direction of the Inspector General for Tax Administration; and of which not to exceed $1,500 shall be available for official reception and representation expenses.</content></appropriations>
<appropriations level="small" changed="added" origin="#SSAP00" id="HEBD8BC1BAB694B578D5E566F742E25DD"><heading><inline class="smallCaps">special inspector general for the troubled asset relief program</inline></heading></appropriations>
<appropriations level="small" changed="added" origin="#SSAP00" id="H4E0C97AEC6994BDDAB8617E507A77F05"><heading><inline class="smallCaps">salaries and expenses</inline></heading><content class="block">For necessary expenses of the Office of the Special Inspector General in carrying out the provisions of the Emergency Economic Stabilization Act of 2008 (<ref href="/us/pl/110/343">Public Law 110343</ref>), $17,500,000.</content></appropriations>
<appropriations level="intermediate" changed="added" origin="#SSAP00" id="H00A0AA7734F5461DA2B2D6357C78158C"><heading>Financial Crimes Enforcement Network</heading></appropriations>
<appropriations level="small" changed="added" origin="#SSAP00" id="H291BF1001E9B4905858AE3AEC8FA236A"><heading><inline class="smallCaps">salaries and expenses</inline></heading><content class="block">For necessary expenses of the Financial Crimes Enforcement Network, including hire of passenger motor vehicles; travel and training expenses of non-Federal and foreign government personnel to attend meetings and training concerned with domestic and foreign financial intelligence activities, law enforcement, and financial regulation; services authorized by <ref href="/us/usc/t5/s3109">5 U.S.C. 3109</ref>; not to exceed $10,000 for official reception and representation expenses; and for assistance to Federal law enforcement agencies, with or without reimbursement, $117,800,000, of which not to exceed $34,335,000 shall remain available until September 30, 2021.</content></appropriations>
<appropriations level="intermediate" changed="added" origin="#SSAP00" id="H112A2B53B9C24F908B270B7D2C70AB6B"><heading>Bureau of the Fiscal Service</heading></appropriations>
<appropriations level="small" changed="added" id="H4C74F6455E264D8AA4DCB010B8671013"><heading><inline class="smallCaps">salaries and expenses</inline></heading><content>
<p>For necessary expenses of operations of the Bureau of the Fiscal Service, $338,280,000; of which not to exceed $4,210,000, to remain available until September 30, 2021, is for information systems modernization initiatives; and of which $5,000 shall be available for official reception and representation expenses.</p>
<p>In addition, $165,000, to be derived from the Oil Spill Liability Trust Fund to reimburse administrative and personnel expenses for financial management of the Fund, as authorized by <ref href="/us/pl/101/380/s1012">section 1012 of Public Law 101380</ref>.</p></content></appropriations>
<appropriations level="intermediate" changed="added" origin="#SSAP00" id="H0EEA9B9F78F24BF7A214626D19FED8CC"><heading>Alcohol and Tobacco Tax and Trade Bureau</heading></appropriations>
<appropriations level="small" changed="added" origin="#SSAP00" id="HB9EBDEF7E360430097546E96E48F51CF"><heading><inline class="smallCaps">salaries and expenses</inline></heading><content class="block">For necessary expenses of carrying out section 1111 of the Homeland Security Act of 2002, including hire of passenger motor vehicles, $111,439,000; of which not to exceed $6,000 for official reception and representation expenses; not to exceed $50,000 for cooperative research and development programs for laboratory services; and provision of laboratory assistance to State and local agencies with or without reimbursement: <proviso><i> Provided</i>, That of the amount appropriated under this heading, $5,000,000 shall be for the costs of accelerating the processing of formula and label applications: </proviso><proviso><i> Provided further</i>, That of the amount appropriated under this heading, $5,000,000, to remain available until September 30, 2020.</proviso></content></appropriations>
<appropriations level="intermediate" changed="added" origin="#SSAP00" id="H0E8106E3D94A40C2889BE74CB9162BFF"><heading>United States Mint</heading></appropriations>
<appropriations level="small" changed="added" origin="#SSAP00" id="HD4A24C1C5A2D4615BE1C4B569D6DC85E"><heading><inline class="smallCaps">united states mint public enterprise fund</inline></heading><content class="block">Pursuant to <ref href="/us/usc/t31/s5136">section 5136 of title 31, United States Code</ref>, the United States Mint is provided funding through the United States Mint Public Enterprise Fund for costs associated with the production of circulating coins, numismatic coins, and protective services, including both operating expenses and capital investments: <proviso><i> Provided</i>, That the aggregate amount of new liabilities and obligations incurred during fiscal year 2019 under such section 5136 for circulating coinage and protective service capital investments of the United States Mint shall not exceed $30,000,000.</proviso></content></appropriations>
<appropriations level="intermediate" changed="added" origin="#SSAP00" id="H16625913E7A34C8E856D5724E71737A3"><heading>Community Development Financial Institutions Fund Program Account</heading></appropriations>
<appropriations level="small" changed="added" id="H54C5B6DDA5D4491F99D176970DE93383"><chapeau>To carry out the Riegle Community Development and Regulatory Improvements Act of 1994 (subtitle A of <ref href="/us/pl/103/325/tI">title I of Public Law 103325</ref>), including services authorized by <ref href="/us/usc/t5/s3109">section 3109 of title 5, United States Code</ref>, but at rates for individuals not to exceed the per diem rate equivalent to the rate for EX3, $250,000,000. Of the amount appropriated under this heading—</chapeau>
<paragraph id="H36BA0C8A7FF245F5B41A31F5C6125496" class="indent1"><num value="1">(1) </num><content>not less than $182,000,000, notwithstanding <ref href="/us/pl/103/325/s108/e">section 108(e) of Public Law 103325</ref> (<ref href="/us/usc/t12/s4707/e">12 U.S.C. 4707(e)</ref>) with regard to Small and/or Emerging Community Development Financial Institutions Assistance awards, is available until September 30, 2020, for financial assistance and technical assistance under subparagraphs (A) and (B) of section 108(a)(1), respectively, of <ref href="/us/pl/103/325">Public Law 103325</ref> (<ref href="/us/usc/t12/s4707/a/1/A">12 U.S.C. 4707(a)(1)(A)</ref> and (B)), of which up to $2,680,000 may be used for the cost of direct loans: <proviso><i> Provided,</i> That the cost of direct and guaranteed loans, including the cost of modifying such loans, shall be as defined in section 502 of the Congressional Budget Act of 1974: </proviso><proviso><i> Provided further,</i> That these funds are available to subsidize gross obligations for the principal amount of direct loans not to exceed $25,000,000;</proviso></content></paragraph>
<paragraph id="H788B7347B4C3469EA881D0DD1E9189E2" class="indent1"><num value="2">(2) </num><content>not less than $16,000,000, notwithstanding <ref href="/us/pl/103/325/s108/e">section 108(e) of Public Law 103325</ref> (<ref href="/us/usc/t12/s4707/e">12 U.S.C. 4707(e)</ref>), is available until September 30, 2020, for financial assistance, technical assistance, training, and outreach programs designed to benefit Native American, Native Hawaiian, and Alaska Native communities and provided primarily through qualified community development lender organizations with experience and expertise in community development banking and lending in Indian country, Native American organizations, tribes and tribal organizations, and other suitable providers;</content></paragraph>
<paragraph id="H167FAEECE3AC43BBBB056C27B87EC7AA" class="indent1"><num value="3">(3) </num><content>not less than $25,000,000 is available until September 30, 2020, for the Bank Enterprise Award program;</content></paragraph>
<paragraph id="H108E2E8F11BC405A93B34DA44429D3F7" class="indent1"><num value="4">(4) </num><content>up to $27,000,000 is available until September 30, 2019, for administrative expenses, including administration of CDFI fund programs and the New Markets Tax Credit Program, of which not less than $1,000,000 is for development of tools to better assess and inform CDFI investment performance, and up to $300,000 is for administrative expenses to carry out the direct loan program; and</content></paragraph>
<paragraph role="definitions" id="HC81E6B4B689B4E329A7293097B8E1D8C" class="indent1"><num value="5">(5) </num><content>during fiscal year 2019, none of the funds available under this heading are available for the cost, as defined in section 502 of the Congressional Budget Act of 1974, of commitments to guarantee bonds and notes under section 114A of the Riegle Community Development and Regulatory Improvement Act of 1994 (<ref href="/us/usc/t12/s4713a">12 U.S.C. 4713a</ref>): <proviso><i> Provided</i>, That commitments to guarantee bonds and notes under such section 114A shall not exceed $500,000,000: </proviso><proviso><i> Provided further</i>, That such section 114A shall remain in effect until December 31, 2019: </proviso><proviso><i> Provided further</i>, That of the funds awarded under this heading, not less than 10 percent shall be used for awards that support investments that serve populations living in persistent poverty counties: </proviso><proviso><i> Provided further</i>, That for the purposes of this section, the term “<term>persistent poverty counties</term>” means any county that has had 20 percent or more of its population living in poverty over the past 30 years, as measured by the 1990 and 2000 decennial censuses and the 20112015 5-year data series available from the American Community Survey of the Census Bureau.</proviso></content></paragraph></appropriations>
<appropriations level="intermediate" changed="added" origin="#SSAP00" id="HF9F9C70C9F0644D3863E2694DE048E31"><heading>Internal Revenue Service</heading></appropriations>
<appropriations level="small" changed="added" id="H1C627C4DE4274B22B248FEA467918848"><heading><inline class="smallCaps">taxpayer services</inline></heading><content class="block">For necessary expenses of the Internal Revenue Service to provide taxpayer services, including pre-filing assistance and education, filing and account services, taxpayer advocacy services, and other services as authorized by <ref href="/us/usc/t5/s3109">5 U.S.C. 3109</ref>, at such rates as may be determined by the Commissioner, $2,506,554,000, of which not less than $9,890,000 shall be for the Tax Counseling for the Elderly Program, of which not less than $12,000,000 shall be available for low-income taxpayer clinic grants, of which not less than $20,000,000, to remain available until September 30, 2020, shall be available for a Community Volunteer Income Tax Assistance matching grants program for tax return preparation assistance, and of which not less than $206,000,000 shall be available for operating expenses of the Taxpayer Advocate Service: <proviso><i> Provided</i>, That of the amounts made available for the Taxpayer Advocate Service, not less than $5,500,000 shall be for identity theft and refund fraud casework.</proviso></content></appropriations>
<appropriations level="small" changed="added" origin="#SSAP00" id="HB28BC331B21B40338BC60C5A235F4F75"><heading><inline class="smallCaps">enforcement</inline></heading></appropriations>
<appropriations level="small" changed="added" id="H0C3B36E007584DFFAD9DFCA6C4CAF7E0"><content class="block">For necessary expenses for tax enforcement activities of the Internal Revenue Service to determine and collect owed taxes, to provide legal and litigation support, to conduct criminal investigations, to enforce criminal statutes related to violations of internal revenue laws and other financial crimes, to purchase and hire passenger motor vehicles (<ref href="/us/usc/t31/s1343/b">31 U.S.C. 1343(b)</ref>), and to provide other services as authorized by <ref href="/us/usc/t5/s3109">5 U.S.C. 3109</ref>, at such rates as may be determined by the Commissioner, $4,860,000,000, of which not to exceed $50,000,000 shall remain available until September 30, 2020, and of which not less than $60,257,000 shall be for the Interagency Crime and Drug Enforcement program.</content></appropriations>
<appropriations level="small" changed="added" origin="#SSAP00" id="H3070181F6F944169A5E42625F85AA329"><heading><inline class="smallCaps">operations support</inline></heading></appropriations>
<appropriations level="small" changed="added" id="H390DCFEE4B414E05B90B42DADE767AF0"><content class="block">For necessary expenses of the Internal Revenue Service to support taxpayer services and enforcement programs, including rent payments; facilities services; printing; postage; physical security; headquarters and other IRS-wide administration activities; research and statistics of income; telecommunications; information technology development, enhancement, operations, maintenance, and security; the hire of passenger motor vehicles (<ref href="/us/usc/t31/s1343/b">31 U.S.C. 1343(b)</ref>); the operations of the Internal Revenue Service Oversight Board; and other services as authorized by <ref href="/us/usc/t5/s3109">5 U.S.C. 3109</ref>, at such rates as may be determined by the Commissioner; $3,709,000,000, of which not to exceed $50,000,000 shall remain available until September 30, 2020; of which not to exceed $10,000,000 shall remain available until expended for acquisition of equipment and construction, repair and renovation of facilities; of which not to exceed $1,000,000 shall remain available until September 30, 2021, for research; of which not to exceed $20,000 shall be for official reception and representation expenses: <proviso><i> Provided</i>, That not later than 30 days after the end of each quarter, the Internal Revenue Service shall submit a report to the Committees on Appropriations of the House of Representatives and the Senate and the Comptroller General of the United States detailing the cost and schedule performance for its major information technology investments, including the purpose and life-cycle stages of the investments; the reasons for any cost and schedule variances; the risks of such investments and strategies the Internal Revenue Service is using to mitigate such risks; and the expected developmental milestones to be achieved and costs to be incurred in the next quarter: </proviso><proviso><i> Provided further</i>, That the Internal Revenue Service shall include, in its budget justification for fiscal year 2020, a summary of cost and schedule performance information for its major information technology systems.</proviso></content></appropriations>
<appropriations level="small" changed="added" origin="#SSAP00" id="H7E1342623E814F4D9D969B4E14305CBB"><heading><inline class="smallCaps">business systems modernization</inline></heading></appropriations>
<appropriations level="small" changed="added" id="HA43E8AF917CA4DA1A22CB8AC2962BC33"><content class="block">For necessary expenses of the Internal Revenue Services business systems modernization program, $110,000,000, to remain available until September 30, 2021, for the capital asset acquisition of information technology systems, including management and related contractual costs of said acquisitions, including related Internal Revenue Service labor costs, and contractual costs associated with operations authorized by <ref href="/us/usc/t5/s3109">5 U.S.C. 3109</ref>: <proviso><i> Provided</i>, That not later than 30 days after the end of each quarter, the Internal Revenue Service shall submit a report to the Committees on Appropriations of the House of Representatives and the Senate and the Comptroller General of the United States detailing the cost and schedule performance for major information technology investments, including the purposes and life-cycle stages of the investments; the reasons for any cost and schedule variances; the risks of such investments and the strategies the Internal Revenue Service is using to mitigate such risks; and the expected developmental milestones to be achieved and costs to be incurred in the next quarter.</proviso></content></appropriations>
<appropriations level="small" changed="added" origin="#SSAP00" id="H62922BCC3C5540F1BC851C3D51B089CA"><heading><inline class="smallCaps">administrative provisions—internal revenue service</inline></heading></appropriations>
<appropriations level="small" changed="added" id="HBC1008C0D4BC449385F33262BB8AA51D"><heading><inline class="smallCaps">(including transfers of funds)</inline></heading></appropriations>
<section identifier="/us/bill/116/hr/264/tI/s101" id="H36E6BC9C78E2476DA4453C0544DB7C6D" changed="added" origin="#SSAP00"><num value="101"><inline class="smallCaps">Sec. 101. </inline></num><content class="inline">Not to exceed 5 percent of any appropriation made available in this Act to the Internal Revenue Service may be transferred to any other Internal Revenue Service appropriation upon the advance approval of the Committees on Appropriations.</content></section>
<section identifier="/us/bill/116/hr/264/tI/s102" id="H4BEBE26B7A794F5184FBA6EAF3C3D59A" changed="added"><num value="102"><inline class="smallCaps">Sec. 102. </inline></num><content class="inline">The Internal Revenue Service shall maintain an employee training program, which shall include the following topics: taxpayers rights, dealing courteously with taxpayers, cross-cultural relations, ethics, and the impartial application of tax law.</content></section>
<section identifier="/us/bill/116/hr/264/tI/s103" id="H3B973EDD86FF470DB599294D35E2B5B0" changed="added" origin="#SSAP00"><num value="103"><inline class="smallCaps">Sec. 103. </inline></num><content class="inline">The Internal Revenue Service shall institute and enforce policies and procedures that will safeguard the confidentiality of taxpayer information and protect taxpayers against identity theft.</content></section>
<section identifier="/us/bill/116/hr/264/tI/s104" id="HECF7E5605D764E52B90E38E511B9CD6B" changed="added"><num value="104"><inline class="smallCaps">Sec. 104. </inline></num><content class="inline">Funds made available by this or any other Act to the Internal Revenue Service shall be available for improved facilities and increased staffing to provide sufficient and effective 1800 help line service for taxpayers. The Commissioner shall continue to make improvements to the Internal Revenue Service 1800 help line service a priority and allocate resources necessary to enhance the response time to taxpayer communications, particularly with regard to victims of tax-related crimes.</content></section>
<section identifier="/us/bill/116/hr/264/tI/s105" id="H318DC30FEEDC4DA49D89DEB66792C4C5" changed="added"><num value="105"><inline class="smallCaps">Sec. 105. </inline></num><content class="inline">None of the funds made available to the Internal Revenue Service by this Act may be used to make a video unless the Service-Wide Video Editorial Board determines in advance that making the video is appropriate, taking into account the cost, topic, tone, and purpose of the video.</content></section>
<section identifier="/us/bill/116/hr/264/tI/s106" id="HE825F1F92AFA4974BD9870699EB312A8" changed="added" origin="#SSAP00"><num value="106"><inline class="smallCaps">Sec. 106. </inline></num><content class="inline">The Internal Revenue Service shall issue a notice of confirmation of any address change relating to an employer making employment tax payments, and such notice shall be sent to both the employers former and new address and an officer or employee of the Internal Revenue Service shall give special consideration to an offer-in-compromise from a taxpayer who has been the victim of fraud by a third party payroll tax preparer.</content></section>
<section identifier="/us/bill/116/hr/264/tI/s107" id="H60A6AD93453547DDBDCB5F156FC2F93E" changed="added"><num value="107"><inline class="smallCaps">Sec. 107. </inline></num><content class="inline">None of the funds made available under this Act may be used by the Internal Revenue Service to target citizens of the United States for exercising any right guaranteed under the <ref href="/us/cons/amd1">First Amendment to the Constitution of the United States</ref>.</content></section>
<section identifier="/us/bill/116/hr/264/tI/s108" id="H290538DC84A24C0DB5500CDB7369CF46" changed="added"><num value="108"><inline class="smallCaps">Sec. 108. </inline></num><content class="inline">None of the funds made available in this Act may be used by the Internal Revenue Service to target groups for regulatory scrutiny based on their ideological beliefs.</content></section>
<section identifier="/us/bill/116/hr/264/tI/s109" id="H9059C1DC0D4B487884B324FCD403DEFC" changed="added"><num value="109"><inline class="smallCaps">Sec. 109. </inline></num><content class="inline">None of funds made available by this Act to the Internal Revenue Service shall be obligated or expended on conferences that do not adhere to the procedures, verification processes, documentation requirements, and policies issued by the Chief Financial Officer, Human Capital Office, and Agency-Wide Shared Services as a result of the recommendations in the report published on May 31, 2013, by the Treasury Inspector General for Tax Administration entitled “Review of the August 2010 Small Business/Self-Employed Divisions Conference in Anaheim, California” (Reference Number 201310037).</content></section>
<section identifier="/us/bill/116/hr/264/tI/s110" id="H6570EFE863E244D39BBC5D0B94806D10" changed="added" origin="#SSAP00"><num value="110"><inline class="smallCaps">Sec. 110. </inline></num><chapeau class="inline">None of the funds made available in this Act to the Internal Revenue Service may be obligated or expended—</chapeau>
<paragraph identifier="/us/bill/116/hr/264/tI/s110/1" id="H8358589E1DDA4AFB97AA29F8B811A9C4" class="indent1"><num value="1">(1) </num><content>to make a payment to any employee under a bonus, award, or recognition program; or</content></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tI/s110/2" id="H04A00D1E0ACC475190BA7CA70DA0B657" class="indent1"><num value="2">(2) </num><content>under any hiring or personnel selection process with respect to re-hiring a former employee, unless such program or process takes into account the conduct and Federal tax compliance of such employee or former employee.</content></paragraph></section>
<section identifier="/us/bill/116/hr/264/tI/s111" id="HB959CF2FB2F645318C338598F5EA1AA6" changed="added"><num value="111"><inline class="smallCaps">Sec. 111. </inline></num><content class="inline">None of the funds made available by this Act may be used in contravention of section 6103 of the Internal Revenue Code of 1986 (relating to confidentiality and disclosure of returns and return information).</content></section>
<section identifier="/us/bill/116/hr/264/tI/s112" id="H0F618ADFD0DD466D82D401A57FF4AB4E" changed="added" origin="#SSAP00"><num value="112"><inline class="smallCaps">Sec. 112. </inline></num><content class="inline">Except to the extent provided in section 6014, 6020, or 6201(d) of the Internal Revenue Code of 1986, no funds in this or any other Act shall be available to the Secretary of the Treasury to provide to any person a proposed final return or statement for use by such person to satisfy a filing or reporting requirement under such Code.</content></section>
<section identifier="/us/bill/116/hr/264/tI/s113" id="HFB5CF1EE2E0F4635B11E28329F9428EE" changed="added" origin="#SSAP00"><num value="113"><inline class="smallCaps">Sec. 113. </inline></num><chapeau class="inline">In addition to the amounts otherwise made available in this Act for the Internal Revenue Service, $77,000,000, to be available until September 30, 2020, shall be transferred by the Commissioner to the “Taxpayer Services”, “Enforcement”, or “Operations Support” accounts of the Internal Revenue Service for an additional amount to be used solely for carrying out <ref href="/us/pl/115/97">Public Law 11597</ref>: <proviso><i> Provided</i>, That such funds shall not be available until the Commissioner submits to the Committees on Appropriations of the House of Representatives and the Senate a spending plan for such funds.</proviso></chapeau>
<appropriations level="intermediate" changed="added" id="H615A1D98CDC24823B28C17CAB71E085A"><heading>Administrative Provisions—Department of the Treasury</heading></appropriations>
<appropriations level="small" changed="added" id="H317B168DAD654D3BA7A6840635630597"><heading><inline class="smallCaps">(including transfers of funds)</inline></heading></appropriations></section>
<section identifier="/us/bill/116/hr/264/tI/s114" id="HD7078729F65A4013AEC11B30C9103E0F" changed="added"><num value="114"><inline class="smallCaps">Sec. 114. </inline></num><content class="inline">Appropriations to the Department of the Treasury in this Act shall be available for uniforms or allowances therefor, as authorized by law (<ref href="/us/usc/t5/s5901">5 U.S.C. 5901</ref>), including maintenance, repairs, and cleaning; purchase of insurance for official motor vehicles operated in foreign countries; purchase of motor vehicles without regard to the general purchase price limitations for vehicles purchased and used overseas for the current fiscal year; entering into contracts with the Department of State for the furnishing of health and medical services to employees and their dependents serving in foreign countries; and services authorized by <ref href="/us/usc/t5/s3109">5 U.S.C. 3109</ref>.</content></section>
<section identifier="/us/bill/116/hr/264/tI/s115" id="H43039138284B4F4F9E84464181D9EF47" changed="added"><num value="115"><inline class="smallCaps">Sec. 115. </inline></num><content class="inline">Not to exceed 2 percent of any appropriations in this title made available under the headings “Departmental Offices—Salaries and Expenses”, “Office of Terrorism and Financial Intelligence”, “Office of Inspector General”, “Special Inspector General for the Troubled Asset Relief Program”, “Financial Crimes Enforcement Network”, “Bureau of the Fiscal Service”, and “Alcohol and Tobacco Tax and Trade Bureau” may be transferred between such appropriations upon the advance approval of the Committees on Appropriations of the House of Representatives and the Senate: <proviso><i> Provided</i>, That no transfer under this section may increase or decrease any such appropriation by more than 2 percent.</proviso></content></section>
<section identifier="/us/bill/116/hr/264/tI/s116" id="H50C04FD1CEC04501A25C86AE41E67DB5" changed="added"><num value="116"><inline class="smallCaps">Sec. 116. </inline></num><content class="inline">Not to exceed 2 percent of any appropriation made available in this Act to the Internal Revenue Service may be transferred to the Treasury Inspector General for Tax Administrations appropriation upon the advance approval of the Committees on Appropriations of the House of Representatives and the Senate: <proviso><i> Provided</i>, That no transfer may increase or decrease any such appropriation by more than 2 percent.</proviso></content></section>
<section identifier="/us/bill/116/hr/264/tI/s117" id="H5BDCD3578E0A47DFA8541C04B80E8447" changed="added"><num value="117"><inline class="smallCaps">Sec. 117. </inline></num><content class="inline">None of the funds appropriated in this Act or otherwise available to the Department of the Treasury or the Bureau of Engraving and Printing may be used to redesign the $1 Federal Reserve note.</content></section>
<section identifier="/us/bill/116/hr/264/tI/s118" id="HD046B3284F4543D28F186EA43FF0D950" changed="added"><num value="118"><inline class="smallCaps">Sec. 118. </inline></num><content class="inline">The Secretary of the Treasury may transfer funds from the “Bureau of the Fiscal Service-Salaries and Expenses” to the Debt Collection Fund as necessary to cover the costs of debt collection: <proviso><i> Provided</i>, That such amounts shall be reimbursed to such salaries and expenses account from debt collections received in the Debt Collection Fund.</proviso></content></section>
<section identifier="/us/bill/116/hr/264/tI/s119" id="HC1F3A76F7F754FDAB5CA5043E4DC8C74" changed="added"><num value="119"><inline class="smallCaps">Sec. 119. </inline></num><content class="inline">None of the funds appropriated or otherwise made available by this or any other Act may be used by the United States Mint to construct or operate any museum without the explicit approval of the Committees on Appropriations of the House of Representatives and the Senate, the House Committee on Financial Services, and the Senate Committee on Banking, Housing, and Urban Affairs.</content></section>
<section identifier="/us/bill/116/hr/264/tI/s120" id="H83E2DCE7BDEF4B51898B2E8ADA8CD0CA" changed="added"><num value="120"><inline class="smallCaps">Sec. 120. </inline></num><content class="inline">None of the funds appropriated or otherwise made available by this or any other Act or source to the Department of the Treasury, the Bureau of Engraving and Printing, and the United States Mint, individually or collectively, may be used to consolidate any or all functions of the Bureau of Engraving and Printing and the United States Mint without the explicit approval of the House Committee on Financial Services; the Senate Committee on Banking, Housing, and Urban Affairs; and the Committees on Appropriations of the House of Representatives and the Senate.</content></section>
<section identifier="/us/bill/116/hr/264/tI/s121" id="H3690053F982642A78BF7A18D3C49405F" changed="added"><num value="121"><inline class="smallCaps">Sec. 121. </inline></num><content class="inline">Funds appropriated by this Act, or made available by the transfer of funds in this Act, for the Department of the Treasurys intelligence or intelligence related activities are deemed to be specifically authorized by the Congress for purposes of section 504 of the National Security Act of 1947 (<ref href="/us/usc/t50/s414">50 U.S.C. 414</ref>) during fiscal year 2019 until the enactment of the Intelligence Authorization Act for Fiscal Year 2019.</content></section>
<section identifier="/us/bill/116/hr/264/tI/s122" id="HE88B4A41BADD492D99C3F2908A128B5B" changed="added"><num value="122"><inline class="smallCaps">Sec. 122. </inline></num><content class="inline">Not to exceed $5,000 shall be made available from the Bureau of Engraving and Printings Industrial Revolving Fund for necessary official reception and representation expenses.</content></section>
<section identifier="/us/bill/116/hr/264/tI/s123" id="H1875E7C6A6844F47927D2DC9CDEE8D3D" changed="added"><num value="123"><inline class="smallCaps">Sec. 123. </inline></num><content class="inline">The Secretary of the Treasury shall submit a Capital Investment Plan to the Committees on Appropriations of the Senate and the House of Representatives not later than 30 days following the submission of the annual budget submitted by the President: <proviso><i> Provided</i>, That such Capital Investment Plan shall include capital investment spending from all accounts within the Department of the Treasury, including but not limited to the Department-wide Systems and Capital Investment Programs account, Treasury Franchise Fund account, and the Treasury Forfeiture Fund account: </proviso><proviso><i> Provided further</i>, That such Capital Investment Plan shall include expenditures occurring in previous fiscal years for each capital investment project that has not been fully completed.</proviso></content></section>
<section identifier="/us/bill/116/hr/264/tI/s124" id="H1C594538C3CD42DF80010C9AC5EFCE49" changed="added"><num value="124"><inline class="smallCaps">Sec. 124. </inline></num><content class="inline">Within 45 days after the date of enactment of this Act, the Secretary of the Treasury shall submit an itemized report to the Committees on Appropriations of the House of Representatives and the Senate on the amount of total funds charged to each office by the Franchise Fund including the amount charged for each service provided by the Franchise Fund to each office, a detailed description of the services, a detailed explanation of how each charge for each service is calculated, and a description of the role customers have in governing in the Franchise Fund.</content></section>
<section identifier="/us/bill/116/hr/264/tI/s125" id="HAC42C64188A84BF4A69B546E9BA3A476" changed="added" origin="#SSAP00"><num value="125"><inline class="smallCaps">Sec. 125. </inline></num><chapeau class="inline">During fiscal year 2019—</chapeau>
<paragraph identifier="/us/bill/116/hr/264/tI/s125/1" id="H7665701963474D3CB824F2A86DCB487F" class="indent1"><num value="1">(1) </num><content>none of the funds made available in this or any other Act may be used by the Department of the Treasury, including the Internal Revenue Service, to issue, revise, or finalize any regulation, revenue ruling, or other guidance not limited to a particular taxpayer relating to the standard which is used to determine whether an organization is operated exclusively for the promotion of social welfare for purposes of section 501(c)(4) of the Internal Revenue Code of 1986 (including the proposed regulations published at <ref href="/us/fr/78/71535">78 Fed. Reg. 71535</ref> (November 29, 2013)); and</content></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tI/s125/2" id="H3568594130A740A19D1FA2BB618AF0B9" class="indent1"><num value="2">(2) </num><content>the standard and definitions as in effect on January 1, 2010, which are used to make such determinations shall apply after the date of the enactment of this Act for purposes of determining status under section 501(c)(4) of such Code of organizations created on, before, or after such date.</content></paragraph></section>
<section identifier="/us/bill/116/hr/264/tI/s126" id="HCD1944E68ED54DEBAC7F56BE629377F0"><num value="126"><inline class="smallCaps">Sec. 126. </inline></num><subsection identifier="/us/bill/116/hr/264/tI/s126/a" id="H64A454C176AD4C6E9DF5B6883EAD9785" class="inline"><num value="a">(a) </num><content>Not later than 60 days after the end of each quarter, the Office of Financial Stability and the Office of Financial Research shall submit reports on their activities to the Committees on Appropriations of the House of Representatives and the Senate, the Committee on Financial Services of the House of Representatives and the Senate Committee on Banking, Housing, and Urban Affairs.</content></subsection>
<subsection identifier="/us/bill/116/hr/264/tI/s126/b" id="H44C4D685690D42ADB3A5B3028BD2F47D" class="indent0"><num value="b">(b) </num><chapeau>The reports required under subsection (a) shall include—</chapeau>
<paragraph identifier="/us/bill/116/hr/264/tI/s126/b/1" id="H4ECB30B44B05421D85BFACA9E2F82C69" class="indent1"><num value="1">(1) </num><content>the obligations made during the previous quarter by object class, office, and activity;</content></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tI/s126/b/2" id="H7FDC5E38B70B47A393560F89655934DD" class="indent1"><num value="2">(2) </num><content>the estimated obligations for the remainder of the fiscal year by object class, office, and activity;</content></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tI/s126/b/3" id="H34A031290DA64B0BBE7E234110F7D7D8" class="indent1"><num value="3">(3) </num><content>the number of full-time equivalents within each office during the previous quarter;</content></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tI/s126/b/4" id="H40933CC42DFD4D1FB7853EB4C4F1C841" class="indent1"><num value="4">(4) </num><content>the estimated number of full-time equivalents within each office for the remainder of the fiscal year; and</content></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tI/s126/b/5" id="HAAABC8515A4C4968A37F6FD5F345AD3B" class="indent1"><num value="5">(5) </num><content>actions taken to achieve the goals, objectives, and performance measures of each office.</content></paragraph></subsection>
<subsection identifier="/us/bill/116/hr/264/tI/s126/c" id="H716683434B03466CBF3D3BA2AAB7F3C3" class="indent0"><num value="c">(c) </num><content>At the request of any such Committees specified in subsection (a), the Office of Financial Stability and the Office of Financial Research shall make officials available to testify on the contents of the reports required under subsection (a).</content></subsection></section>
<section identifier="/us/bill/116/hr/264/tI/s127" id="H458CCE3CF91A4C4ABE344450A9D81012" changed="added" origin="#SSAP00"><num value="127"><inline class="smallCaps">Sec. 127. </inline></num><content class="inline">Amounts made available under the heading “<headingText>Office of Terrorism and Financial Intelligence</headingText>” shall be available to reimburse the “Departmental Offices—Salaries and Expenses” account for expenses incurred in such account for reception and representation expenses to support activities of the Financial Action Task Force.</content></section>
<section identifier="/us/bill/116/hr/264/tI/s128" id="H5AEADD9C6D894FBAAC8DBE55703CCD58" changed="added" origin="#SSAP00"><num value="128"><inline class="smallCaps">Sec. 128. </inline></num><content class="inline">Amounts in the Bureau of Engraving and Printing Fund may be used for the acquisition of necessary land for, and construction of, a replacement currency production facility.</content></section>
<section identifier="/us/bill/116/hr/264/tI/s129" id="H87177EC705BD47BEB32A9E7860885AAE"><num value="129"><inline class="smallCaps">Sec. 129. </inline></num><chapeau class="inline">Not later than 180 days after the date of enactment of this Act, the Financial Crimes Enforcement Network and the appropriate divisions of the Department of the Treasury shall submit to Congress a report on any Geographic Targeting Orders issued since 2016, including—</chapeau>
<paragraph identifier="/us/bill/116/hr/264/tI/s129/1" id="HFC2C6DA0E0A24E61A8CF28207AA8AEE8" class="indent1"><num value="1">(1) </num><content>the type of data collected;</content></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tI/s129/2" id="H45209228B77F4D079B2F28D04151A1D4" class="indent1"><num value="2">(2) </num><content>how the Financial Crimes Enforcement Network uses the data;</content></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tI/s129/3" id="HEAF4004BCDED427398BA5D54CC379A2A" class="indent1"><num value="3">(3) </num><content>whether the Financial Crimes Enforcement Network needs more authority to combat money laundering through high-end real estate;</content></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tI/s129/4" id="H9EAEAE6F1DF944D1B2B3A58DE87390C5" class="indent1"><num value="4">(4) </num><content>how a record of beneficial ownership would improve and assist law enforcement efforts to investigate and prosecute criminal activity and prevent the use of shell companies to facilitate money laundering, tax evasion, terrorism financing, election fraud, and other illegal activity; and</content></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tI/s129/5" id="H59D206D4D50A49EDA62289E7BCC294F2" class="indent1"><num value="5">(5) </num><content>the feasibility of implementing Geographic Targeting Orders on a permanent basis on all real estate transactions in the United States greater than $300,000.</content></paragraph></section>
<appropriations level="small" changed="added" origin="#SSAP00" id="H054B88145E7E46C5ABEF700052208F10"><content class="block">This title may be cited as the “<shortTitle role="title">Department of the Treasury Appropriations Act, 2019</shortTitle>”.</content></appropriations></title>
<title identifier="/us/bill/116/hr/264/tII" id="HD522D921443448E4BF6EE05E72133E25" styleType="appropriations"><num value="II">TITLE II</num><heading class="block">EXECUTIVE OFFICE OF THE PRESIDENT AND FUNDS APPROPRIATED TO THE PRESIDENT</heading>
<appropriations level="intermediate" id="HFA09A07934AF4DA396B8B4143A18CF1E"><heading>The White House</heading></appropriations>
<appropriations level="small" changed="added" id="HDCCC1CABA7AE4995883C9F6918360556"><heading><inline class="smallCaps">salaries and expenses</inline></heading><content class="block">For necessary expenses for the White House as authorized by law, including not to exceed $3,850,000 for services as authorized by <ref href="/us/usc/t5/s3109">5 U.S.C. 3109</ref> and <ref href="/us/usc/t3/s105">3 U.S.C. 105</ref>; subsistence expenses as authorized by <ref href="/us/usc/t3/s105">3 U.S.C. 105</ref>, which shall be expended and accounted for as provided in that section; hire of passenger motor vehicles, and travel (not to exceed $100,000 to be expended and accounted for as provided by <ref href="/us/usc/t3/s103">3 U.S.C. 103</ref>); and not to exceed $19,000 for official reception and representation expenses, to be available for allocation within the Executive Office of the President; and for necessary expenses of the Office of Policy Development, including services as authorized by <ref href="/us/usc/t5/s3109">5 U.S.C. 3109</ref> and <ref href="/us/usc/t3/s107">3 U.S.C. 107</ref>, $55,000,000.</content></appropriations>
<appropriations level="intermediate" changed="added" id="H982328A29B324F5D88CBFB946C91E13C"><heading>Executive Residence at the White House</heading></appropriations>
<appropriations level="small" changed="added" id="H860271B4FA544D69AB86A1D81503C5A2"><heading><inline class="smallCaps">operating expenses</inline></heading><content class="block">For necessary expenses of the Executive Residence at the White House, $13,081,000, to be expended and accounted for as provided by <ref href="/us/usc/t3/s105">3 U.S.C. 105</ref>, 109, 110, and 112114.</content></appropriations>
<appropriations level="small" changed="added" id="H2A5D6510D35A478AA1503ACC9EF7E636"><heading><inline class="smallCaps">reimbursable expenses</inline></heading></appropriations>
<appropriations level="small" changed="added" id="H79B3F176150A4519978A1FCCE3664E04"><content class="block">For the reimbursable expenses of the Executive Residence at the White House, such sums as may be necessary: <proviso><i> Provided</i>, That all reimbursable operating expenses of the Executive Residence shall be made in accordance with the provisions of this paragraph: </proviso><proviso><i> Provided further</i>, That, notwithstanding any other provision of law, such amount for reimbursable operating expenses shall be the exclusive authority of the Executive Residence to incur obligations and to receive offsetting collections, for such expenses: </proviso><proviso><i> Provided further</i>, That the Executive Residence shall require each person sponsoring a reimbursable political event to pay in advance an amount equal to the estimated cost of the event, and all such advance payments shall be credited to this account and remain available until expended: </proviso><proviso><i> Provided further</i>, That the Executive Residence shall require the national committee of the political party of the President to maintain on deposit $25,000, to be separately accounted for and available for expenses relating to reimbursable political events sponsored by such committee during such fiscal year: </proviso><proviso><i> Provided further</i>, That the Executive Residence shall ensure that a written notice of any amount owed for a reimbursable operating expense under this paragraph is submitted to the person owing such amount within 60 days after such expense is incurred, and that such amount is collected within 30 days after the submission of such notice: </proviso><proviso><i> Provided further</i>, That the Executive Residence shall charge interest and assess penalties and other charges on any such amount that is not reimbursed within such 30 days, in accordance with the interest and penalty provisions applicable to an outstanding debt on a United States Government claim under <ref href="/us/usc/t31/s3717">31 U.S.C. 3717</ref>: </proviso><proviso><i> Provided further</i>, That each such amount that is reimbursed, and any accompanying interest and charges, shall be deposited in the Treasury as miscellaneous receipts: </proviso><proviso><i> Provided further</i>, That the Executive Residence shall prepare and submit to the Committees on Appropriations, by not later than 90 days after the end of the fiscal year covered by this Act, a report setting forth the reimbursable operating expenses of the Executive Residence during the preceding fiscal year, including the total amount of such expenses, the amount of such total that consists of reimbursable official and ceremonial events, the amount of such total that consists of reimbursable political events, and the portion of each such amount that has been reimbursed as of the date of the report: </proviso><proviso><i> Provided further</i>, That the Executive Residence shall maintain a system for the tracking of expenses related to reimbursable events within the Executive Residence that includes a standard for the classification of any such expense as political or nonpolitical: </proviso><proviso><i> Provided further</i>, That no provision of this paragraph may be construed to exempt the Executive Residence from any other applicable requirement of subchapter I or II of <ref href="/us/usc/t31/ch37">chapter 37 of title 31, United States Code</ref>.</proviso></content></appropriations>
<appropriations level="intermediate" changed="added" id="H46DD6A83AFCB464BB8F60A603689BB1E"><heading>White House Repair and Restoration</heading></appropriations>
<appropriations level="small" changed="added" id="H549CEFB5EDE744D085F1BB902A71573B"><content class="block">For the repair, alteration, and improvement of the Executive Residence at the White House pursuant to <ref href="/us/usc/t3/s105/d">3 U.S.C. 105(d)</ref>, $750,000, to remain available until expended, for required maintenance, resolution of safety and health issues, and continued preventative maintenance.</content></appropriations>
<appropriations level="intermediate" id="HB7F5C18ABBC3407EBE221551621ACE60"><heading>Council of Economic Advisers</heading></appropriations>
<appropriations level="small" id="H8DA5228488954B37A9798DCB80CE83C8"><heading><inline class="smallCaps">salaries and expenses</inline></heading><content class="block">For necessary expenses of the Council of Economic Advisers in carrying out its functions under the Employment Act of 1946 (<ref href="/us/usc/t15/s1021/etseq">15 U.S.C. 1021 et seq.</ref>), $4,187,000.</content></appropriations>
<appropriations level="intermediate" changed="added" id="HD4F86D64D94843BE9E431686DC6B0C63"><heading>National Security Council and Homeland Security Council</heading></appropriations>
<appropriations level="small" changed="added" id="HFCCCDE750C1B4AFA94A262C3A2DFE8FF"><heading><inline class="smallCaps">salaries and expenses</inline></heading><content class="block">For necessary expenses of the National Security Council and the Homeland Security Council, including services as authorized by <ref href="/us/usc/t5/s3109">5 U.S.C. 3109</ref>, $11,800,000.</content></appropriations>
<appropriations level="intermediate" id="H0A0DACA16342484097ECC05A6F2DF141"><heading>Office of Administration</heading></appropriations>
<appropriations level="small" id="H9EC515A79FCD49EF8B5B871326AA953C"><heading><inline class="smallCaps">salaries and expenses</inline></heading><content class="block">For necessary expenses of the Office of Administration, including services as authorized by <ref href="/us/usc/t5/s3109">5 U.S.C. 3109</ref> and <ref href="/us/usc/t3/s107">3 U.S.C. 107</ref>, and hire of passenger motor vehicles, $100,000,000, of which not to exceed $12,800,000 shall remain available until expended for continued modernization of information resources within the Executive Office of the President.</content></appropriations>
<appropriations level="intermediate" id="H9F570066D0204846BA25B31C44F45A8B"><heading>Office of Management and Budget</heading></appropriations>
<appropriations level="small" id="H39CF2E3D8AD34380B2B99E0E35ECA3D0"><heading><inline class="smallCaps">salaries and expenses</inline></heading><content>
<p>For necessary expenses of the Office of Management and Budget, including hire of passenger motor vehicles and services as authorized by <ref href="/us/usc/t5/s3109">5 U.S.C. 3109</ref>, to carry out the provisions of <ref href="/us/usc/t44/ch35">chapter 35 of title 44, United States Code</ref>, and to prepare and submit the budget of the United States Government, in accordance with <ref href="/us/usc/t31/s1105/a">section 1105(a) of title 31, United States Code</ref>, $101,000,000, of which not to exceed $3,000 shall be available for official representation expenses: <proviso><i> Provided</i>, That none of the funds appropriated in this Act for the Office of Management and Budget may be used for the purpose of reviewing any agricultural marketing orders or any activities or regulations under the provisions of the Agricultural Marketing Agreement Act of 1937 (<ref href="/us/usc/t7/s601/etseq">7 U.S.C. 601 et seq.</ref>): </proviso><proviso><i> Provided further</i>, That none of the funds made available for the Office of Management and Budget by this Act may be expended for the altering of the transcript of actual testimony of witnesses, except for testimony of officials of the Office of Management and Budget, before the Committees on Appropriations or their subcommittees: </proviso><proviso><i> Provided further</i>, That none of the funds made available for the Office of Management and Budget by this Act may be expended for the altering of the annual work plan developed by the Corps of Engineers for submission to the Committees on Appropriations: </proviso><proviso><i> Provided further</i>, That of the funds made available for the Office of Management and Budget by this Act, no less than three full-time equivalent senior staff position shall be dedicated solely to the Office of the Intellectual Property Enforcement Coordinator: </proviso><proviso><i> Provided further</i>, That none of the funds provided in this or prior Acts shall be used, directly or indirectly, by the Office of Management and Budget, for evaluating or determining if water resource project or study reports submitted by the Chief of Engineers acting through the Secretary of the Army are in compliance with all applicable laws, regulations, and requirements relevant to the Civil Works water resource planning process: </proviso><proviso><i> Provided further</i>, That the Office of Management and Budget shall have not more than 60 days in which to perform budgetary policy reviews of water resource matters on which the Chief of Engineers has reported: </proviso><proviso><i> Provided further</i>, That the Director of the Office of Management and Budget shall notify the appropriate authorizing and appropriating committees when the 60-day review is initiated: </proviso><proviso><i> Provided further</i>, That if water resource reports have not been transmitted to the appropriate authorizing and appropriating committees within 15 days after the end of the Office of Management and Budget review period based on the notification from the Director, Congress shall assume Office of Management and Budget concurrence with the report and act accordingly.</proviso></p>
<p>In addition, $2,000,000 for the Office of Information and Regulatory Affairs to hire additional personnel dedicated to regulatory review and reforms: <proviso><i> Provided</i>, That these amounts shall be in addition to any other amounts available for such purpose: </proviso><proviso><i> Provided further</i>, That these funds may not be used to backfill vacancies.</proviso></p></content></appropriations>
<appropriations level="intermediate" changed="added" id="H698F4EBFB9D0409F87E67D5C2D0A2D96"><heading>Office of National Drug Control Policy</heading></appropriations>
<appropriations level="small" changed="added" id="HEF66CACA7DD2471B872A9B0B4D12C249"><heading><inline class="smallCaps">salaries and expenses</inline></heading><content class="block">For necessary expenses of the Office of National Drug Control Policy; for research activities pursuant to the Office of National Drug Control Policy Reauthorization Act of 2006 (<ref href="/us/pl/109/469">Public Law 109469</ref>); not to exceed $10,000 for official reception and representation expenses; and for participation in joint projects or in the provision of services on matters of mutual interest with nonprofit, research, or public organizations or agencies, with or without reimbursement, $18,400,000: <proviso><i> Provided</i>, That the Office is authorized to accept, hold, administer, and utilize gifts, both real and personal, public and private, without fiscal year limitation, for the purpose of aiding or facilitating the work of the Office.</proviso></content></appropriations>
<appropriations level="small" id="HF07C4E3E4F6A42869DA67FDD552DDD4C"><heading><inline class="smallCaps">federal drug control programs</inline></heading></appropriations>
<appropriations level="small" id="HD0BA4F8FC87743E6BE55F8C6B61BCFC4"><heading><inline class="smallCaps">high intensity drug trafficking areas program</inline></heading></appropriations>
<appropriations level="small" id="H082287E39E014021A2E335486A1644F6"><heading><inline class="smallCaps">(including transfers of funds)</inline></heading><content class="block">For necessary expenses of the Office of National Drug Control Policys High Intensity Drug Trafficking Areas Program, $280,000,000, to remain available until September 30, 2020, for drug control activities consistent with the approved strategy for each of the designated High Intensity Drug Trafficking Areas (“HIDTAs”), of which not less than 51 percent shall be transferred to State and local entities for drug control activities and shall be obligated not later than 120 days after enactment of this Act: <proviso><i> Provided</i>, That up to 49 percent may be transferred to Federal agencies and departments in amounts determined by the Director of the Office of National Drug Control Policy, of which up to $2,700,000 may be used for auditing services and associated activities: </proviso><proviso><i> Provided further,</i> That, notwithstanding the requirements of <ref href="/us/pl/106/58">Public Law 10658</ref>, any unexpended funds obligated prior to fiscal year 2017 may be used for any other approved activities of that HIDTA, subject to reprogramming requirements: </proviso><proviso><i> Provided further</i>, That each HIDTA designated as of September 30, 2018, shall be funded at not less than the fiscal year 2018 base level, unless the Director submits to the Committees on Appropriations of the House of Representatives and the Senate justification for changes to those levels based on clearly articulated priorities and published Office of National Drug Control Policy performance measures of effectiveness: </proviso><proviso><i> Provided further</i>, That the Director shall notify the Committees on Appropriations of the initial allocation of fiscal year 2019 funding among HIDTAs not later than 45 days after enactment of this Act, and shall notify the Committees of planned uses of discretionary HIDTA funding, as determined in consultation with the HIDTA Directors, not later than 90 days after enactment of this Act: </proviso><proviso><i> Provided further</i>, That upon a determination that all or part of the funds so transferred from this appropriation are not necessary for the purposes provided herein and upon notification to the Committees on Appropriations of the House of Representatives and the Senate, such amounts may be transferred back to this appropriation.</proviso></content></appropriations>
<appropriations level="small" changed="added" id="H0EBB77AF106C4CA08B2FDC4A1F89C174"><heading><inline class="smallCaps">other federal drug control programs</inline></heading></appropriations>
<appropriations level="small" changed="added" id="H82E91EAE6E49417FB508DC0660884118"><heading><inline class="smallCaps">(including transfers of funds)</inline></heading><content class="block">For other drug control activities authorized by the Office of National Drug Control Policy Reauthorization Act of 2006 (<ref href="/us/pl/109/469">Public Law 109469</ref>), $117,327,000, to remain available until expended, which shall be available as follows: $99,000,000 for the Drug-Free Communities Program, of which $2,000,000 shall be made available as directed by <ref href="/us/pl/107/82/s4">section 4 of Public Law 10782</ref>, as amended by <ref href="/us/pl/109/469">Public Law 109469</ref> (<ref href="/us/usc/t21/s1521">21 U.S.C. 1521 note</ref>); $2,000,000 for drug court training and technical assistance; $9,500,000 for anti-doping activities; $2,577,000 for the United States membership dues to the World Anti-Doping Agency; and $1,250,000 shall be made available as directed by <ref href="/us/pl/109/469/s1105">section 1105 of Public Law 109469</ref>; and $3,000,000, to remain available until expended, shall be for activities authorized by <ref href="/us/pl/114/198/s103">section 103 of Public Law 114198</ref>: <proviso><i> Provided,</i> That amounts made available under this heading may be transferred to other Federal departments and agencies to carry out such activities.</proviso></content></appropriations>
<appropriations level="intermediate" id="H6B553589361749DA9C57BB58E92233C1"><heading>Unanticipated Needs</heading><content class="block">For expenses necessary to enable the President to meet unanticipated needs, in furtherance of the national interest, security, or defense which may arise at home or abroad during the current fiscal year, as authorized by <ref href="/us/usc/t3/s108">3 U.S.C. 108</ref>, $1,000,000, to remain available until September 30, 2020.</content></appropriations>
<appropriations level="intermediate" id="H74933A8CBADB4E30ACE2FF7F42DF3F24"><heading>Information Technology Oversight and Reform</heading></appropriations>
<appropriations level="small" id="H55559BA67F1948C38087FDD984108ECA"><heading><inline class="smallCaps">(including transfer of funds)</inline></heading><content class="block">For necessary expenses for the furtherance of integrated, efficient, secure, and effective uses of information technology in the Federal Government, $19,000,000, to remain available until expended: <proviso><i> Provided</i>, That the Director of the Office of Management and Budget may transfer these funds to one or more other agencies to carry out projects to meet these purposes.</proviso></content></appropriations>
<appropriations level="intermediate" id="H34E3F9B70C9F46478542374419E07152"><heading>Special Assistance to the President</heading></appropriations>
<appropriations level="small" id="HB1236F22E4214BBEAA986D0B5CE3DE52"><heading><inline class="smallCaps">salaries and expenses</inline></heading><content class="block">For necessary expenses to enable the Vice President to provide assistance to the President in connection with specially assigned functions; services as authorized by <ref href="/us/usc/t5/s3109">5 U.S.C. 3109</ref> and <ref href="/us/usc/t3/s106">3 U.S.C. 106</ref>, including subsistence expenses as authorized by <ref href="/us/usc/t3/s106">3 U.S.C. 106</ref>, which shall be expended and accounted for as provided in that section; and hire of passenger motor vehicles, $4,288,000.</content></appropriations>
<appropriations level="intermediate" changed="added" id="H71ADDF2F2666452B96C685D52578A9A0"><heading>Official Residence of the Vice President</heading></appropriations>
<appropriations level="small" changed="added" id="H2D913ED0EFE04369B13003230BA4AD65"><heading><inline class="smallCaps">operating expenses</inline></heading></appropriations>
<appropriations level="small" changed="added" id="H48DF3940991646E6AE3A6DD5A78CCE1F"><heading><inline class="smallCaps">(including transfer of funds)</inline></heading><content class="block">For the care, operation, refurnishing, improvement, and to the extent not otherwise provided for, heating and lighting, including electric power and fixtures, of the official residence of the Vice President; the hire of passenger motor vehicles; and not to exceed $90,000 pursuant to <ref href="/us/usc/t3/s106/b/2">3 U.S.C. 106(b)(2)</ref>, $302,000: <proviso><i> Provided</i>, That advances, repayments, or transfers from this appropriation may be made to any department or agency for expenses of carrying out such activities.</proviso></content></appropriations>
<appropriations level="intermediate" id="H1CC00DB6E20E4A22977909DBE8B00268"><heading>Administrative Provisions—Executive Office of the President and Funds Appropriated to the President</heading></appropriations>
<appropriations level="small" id="H297FCA1928F649C69CB547F93C308E4C"><heading><inline class="smallCaps">(including transfer of funds)</inline></heading></appropriations>
<section identifier="/us/bill/116/hr/264/tII/s201" id="H59FDCDB8B9D54B3082EFE7B4877F0D89"><num value="201"><inline class="smallCaps">Sec. 201. </inline></num><content class="inline">From funds made available in this Act under the headings “The White House”, “Executive Residence at the White House”, “White House Repair and Restoration”, “Council of Economic Advisers”, “National Security Council and Homeland Security Council”, “Office of Administration”, “Special Assistance to the President”, and “Official Residence of the Vice President”, the Director of the Office of Management and Budget (or such other officer as the President may designate in writing), may, with advance approval of the Committees on Appropriations of the House of Representatives and the Senate, transfer not to exceed 10 percent of any such appropriation to any other such appropriation, to be merged with and available for the same time and for the same purposes as the appropriation to which transferred: <proviso><i> Provided</i>, That the amount of an appropriation shall not be increased by more than 50 percent by such transfers: </proviso><proviso><i> Provided further</i>, That no amount shall be transferred from “Special Assistance to the President” or “Official Residence of the Vice President” without the approval of the Vice President.</proviso></content></section>
<section identifier="/us/bill/116/hr/264/tII/s202" id="H3321588F43A94CAA8C74A54D659D7E43"><num value="202"><inline class="smallCaps">Sec. 202. </inline></num><subsection identifier="/us/bill/116/hr/264/tII/s202/a" id="H5E0ACDC5F9D54BD0A08123FF35A60E76" class="inline"><num value="a">(a) </num><content>During fiscal year 2019, any Executive order or Presidential memorandum issued or revoked by the President shall be accompanied by a written statement from the Director of the Office of Management and Budget on the budgetary impact, including costs, benefits, and revenues, of such order or memorandum.</content></subsection>
<subsection identifier="/us/bill/116/hr/264/tII/s202/b" id="HB39C6180BD354513AA9E27BDEC2DB4C0" class="indent0"><num value="b">(b) </num><chapeau>Any such statement shall include—</chapeau>
<paragraph identifier="/us/bill/116/hr/264/tII/s202/b/1" id="H8AAC6D318A4248E8A9F9DF179A0DE9D1" class="indent1"><num value="1">(1) </num><content>a narrative summary of the budgetary impact of such order or memorandum on the Federal Government;</content></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tII/s202/b/2" id="HD517CAB68D8A4488852FE0123B2417DF" class="indent1"><num value="2">(2) </num><content>the impact on mandatory and discretionary obligations and outlays as the result of such order or memorandum, listed by Federal agency, for each year in the 5-fiscal-year period beginning in fiscal year 2019; and</content></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tII/s202/b/3" id="H114C53621BF74846A21AD9945DEE8FA4" class="indent1"><num value="3">(3) </num><content>the impact on revenues of the Federal Government as the result of such order or memorandum over the 5-fiscal-year period beginning in fiscal year 2019.</content></paragraph></subsection>
<subsection identifier="/us/bill/116/hr/264/tII/s202/c" id="H1F50CA8C03C942DB8D4D08A2AA086798" class="indent0"><num value="c">(c) </num><content>If an Executive order or Presidential memorandum is issued during fiscal year 2019 due to a national emergency, the Director of the Office of Management and Budget may issue the statement required by subsection (a) not later than 15 days after the date that such order or memorandum is issued.</content></subsection>
<subsection identifier="/us/bill/116/hr/264/tII/s202/d" id="H5F410C5895574B2690AF07D132BF57BD" class="indent0"><num value="d">(d) </num><content>The requirement for cost estimates for Presidential memoranda shall only apply for Presidential memoranda estimated to have a regulatory cost in excess of $100,000,000.</content></subsection></section>
<appropriations level="small" changed="added" id="HAEC4EEEF6BAC4C7BB34C2704C9E1B3B3"><content class="block">This title may be cited as the “<shortTitle role="title">Executive Office of the President Appropriations Act, 2019</shortTitle>”.</content></appropriations></title>
<title identifier="/us/bill/116/hr/264/tIII" id="H06A10A0957D441269993DFC89C1E4065" changed="added" styleType="appropriations"><num value="III">TITLE III</num><heading class="block">THE JUDICIARY</heading>
<appropriations level="intermediate" id="HE6B2BE84DDFB4C0EAEE1DF87E8F928E5"><heading>Supreme Court of the United States</heading></appropriations>
<appropriations level="small" id="H85D844222E8C4628857992A050D057EB"><heading><inline class="smallCaps">salaries and expenses</inline></heading><content>
<p>For expenses necessary for the operation of the Supreme Court, as required by law, excluding care of the building and grounds, including hire of passenger motor vehicles as authorized by <ref href="/us/usc/t31/s1343">31 U.S.C. 1343</ref> and 1344; not to exceed $10,000 for official reception and representation expenses; and for miscellaneous expenses, to be expended as the Chief Justice may approve, $84,703,000, of which $1,500,000 shall remain available until expended.</p>
<p>In addition, there are appropriated such sums as may be necessary under current law for the salaries of the chief justice and associate justices of the court.</p></content></appropriations>
<appropriations level="small" id="HBA41EA66FD364422BB7886A6D1780D92"><heading><inline class="smallCaps">care of the building and grounds</inline></heading></appropriations>
<appropriations level="small" id="H70FCEA42449F4478BEB9E31F95314A15"><content class="block">For such expenditures as may be necessary to enable the Architect of the Capitol to carry out the duties imposed upon the Architect by <ref href="/us/usc/t40/s6111">40 U.S.C. 6111</ref> and 6112, $15,999,000, to remain available until expended.</content></appropriations>
<appropriations level="intermediate" id="HC43D18E61597486AA1FAA855857DD7BA"><heading>United States Court of Appeals for the Federal Circuit</heading></appropriations>
<appropriations level="small" id="H04E73A965B204088BF6CBD16F613C7FB"><heading><inline class="smallCaps">salaries and expenses</inline></heading><content>
<p>For salaries of officers and employees, and for necessary expenses of the court, as authorized by law, $32,016,000.</p>
<p>In addition, there are appropriated such sums as may be necessary under current law for the salaries of the chief judge and judges of the court.</p></content></appropriations>
<appropriations level="intermediate" id="H24E3FE93CBFE418D85B05717FD7741A6"><heading>United States Court of International Trade</heading></appropriations>
<appropriations level="small" id="H8AF23A7C1D3C404394F069B734BB8143"><heading><inline class="smallCaps">salaries and expenses</inline></heading><content class="block">For salaries of officers and employees of the court, services, and necessary expenses of the court, as authorized by law, $19,450,000.</content></appropriations>
<appropriations level="small" id="HE4043B8F36E847E5BC4C550C353B1246"><content class="block">In addition, there are appropriated such sums as may be necessary under current law for the salaries of the chief judge and judges of the court.</content></appropriations>
<appropriations level="intermediate" id="HC00E2D5D82DB4679B2AA8AA30259DBA2"><heading>Courts of Appeals, District Courts, and Other Judicial Services</heading></appropriations>
<appropriations level="small" id="H93FF0BEEB99242D6A35E975B1FC842CA"><heading><inline class="smallCaps">salaries and expenses</inline></heading><content>
<p>For the salaries of judges of the United States Court of Federal Claims, magistrate judges, and all other officers and employees of the Federal Judiciary not otherwise specifically provided for, necessary expenses of the courts, and the purchase, rental, repair, and cleaning of uniforms for Probation and Pretrial Services Office staff, as authorized by law, $5,154,461,000 (including the purchase of firearms and ammunition); of which not to exceed $27,817,000 shall remain available until expended for space alteration projects and for furniture and furnishings related to new space alteration and construction projects.</p>
<p>In addition, there are appropriated such sums as may be necessary under current law for the salaries of circuit and district judges (including judges of the territorial courts of the United States), bankruptcy judges, and justices and judges retired from office or from regular active service.</p>
<p>In addition, for expenses of the United States Court of Federal Claims associated with processing cases under the National Childhood Vaccine Injury Act of 1986 (<ref href="/us/pl/99/660">Public Law 99660</ref>), not to exceed $8,475,000, to be appropriated from the Vaccine Injury Compensation Trust Fund.</p></content></appropriations>
<appropriations level="small" id="H9F5D36F200214F76B105FE8834BCDA91"><heading><inline class="smallCaps">defender services</inline></heading></appropriations>
<appropriations level="small" id="HD6B9C38F06E7448A848FD93AF9F05807"><content class="block">For the operation of Federal Defender organizations; the compensation and reimbursement of expenses of attorneys appointed to represent persons under <ref href="/us/usc/t18/s3006A">18 U.S.C. 3006A</ref> and 3599, and for the compensation and reimbursement of expenses of persons furnishing investigative, expert, and other services for such representations as authorized by law; the compensation (in accordance with the maximums under <ref href="/us/usc/t18/s3006A">18 U.S.C. 3006A</ref>) and reimbursement of expenses of attorneys appointed to assist the court in criminal cases where the defendant has waived representation by counsel; the compensation and reimbursement of expenses of attorneys appointed to represent jurors in civil actions for the protection of their employment, as authorized by <ref href="/us/usc/t28/s1875/d/1">28 U.S.C. 1875(d)(1)</ref>; the compensation and reimbursement of expenses of attorneys appointed under <ref href="/us/usc/t18/s983/b/1">18 U.S.C. 983(b)(1)</ref> in connection with certain judicial civil forfeiture proceedings; the compensation and reimbursement of travel expenses of guardians ad litem appointed under <ref href="/us/usc/t18/s4100/b">18 U.S.C. 4100(b)</ref>; and for necessary training and general administrative expenses, $1,140,846,000 to remain available until expended.</content></appropriations>
<appropriations level="small" id="HF1FC3EB2001C4C9697EE3742AD78A103"><heading><inline class="smallCaps">fees of jurors and commissioners</inline></heading></appropriations>
<appropriations level="small" id="H32257908B8E343DEBAB6588D88FD355E"><content class="block">For fees and expenses of jurors as authorized by <ref href="/us/usc/t28/s1871">28 U.S.C. 1871</ref> and 1876; compensation of jury commissioners as authorized by <ref href="/us/usc/t28/s1863">28 U.S.C. 1863</ref>; and compensation of commissioners appointed in condemnation cases pursuant to rule 71.1(h) of the Federal Rules of Civil Procedure (<ref href="/us/usc/t28/app/r71.1/h">28 U.S.C. Appendix Rule 71.1(h)</ref>), $49,750,000, to remain available until expended: <proviso><i> Provided</i>, That the compensation of land commissioners shall not exceed the daily equivalent of the highest rate payable under <ref href="/us/usc/t5/s5332">5 U.S.C. 5332</ref>.</proviso></content></appropriations>
<appropriations level="small" id="H10B33CC739A24CAA89B0FC0FEFCEE006"><heading><inline class="smallCaps">court security</inline></heading></appropriations>
<appropriations level="small" id="HBFED973FC0E94F7287189669C2F2D1A2"><heading><inline class="smallCaps">(including transfer of funds)</inline></heading><content class="block">For necessary expenses, not otherwise provided for, incident to the provision of protective guard services for United States courthouses and other facilities housing Federal court operations, and the procurement, installation, and maintenance of security systems and equipment for United States courthouses and other facilities housing Federal court operations, including building ingress-egress control, inspection of mail and packages, directed security patrols, perimeter security, basic security services provided by the Federal Protective Service, and other similar activities as authorized by section 1010 of the Judicial Improvement and Access to Justice Act (<ref href="/us/pl/100/702">Public Law 100702</ref>), $604,460,000, of which not to exceed $20,000,000 shall remain available until expended, to be expended directly or transferred to the United States Marshals Service, which shall be responsible for administering the Judicial Facility Security Program consistent with standards or guidelines agreed to by the Director of the Administrative Office of the United States Courts and the Attorney General.</content></appropriations>
<appropriations level="intermediate" id="HB56A5DB3D8EA4F1C9DC0829D298B913F"><heading>Administrative Office of the United States Courts</heading></appropriations>
<appropriations level="small" id="H3FB06A0614B8405AAC5E43C339613FFA"><heading><inline class="smallCaps">salaries and expenses</inline></heading><content class="block">For necessary expenses of the Administrative Office of the United States Courts as authorized by law, including travel as authorized by <ref href="/us/usc/t31/s1345">31 U.S.C. 1345</ref>, hire of a passenger motor vehicle as authorized by <ref href="/us/usc/t31/s1343/b">31 U.S.C. 1343(b)</ref>, advertising and rent in the District of Columbia and elsewhere, $92,413,000, of which not to exceed $8,500 is authorized for official reception and representation expenses.</content></appropriations>
<appropriations level="intermediate" id="HAABECB966B5942D2AFB0DA8A1BA5A054"><heading>Federal Judicial Center</heading></appropriations>
<appropriations level="small" id="H0034A903B3164095A16F17B35A1E09E0"><heading><inline class="smallCaps">salaries and expenses</inline></heading><content class="block">For necessary expenses of the Federal Judicial Center, as authorized by <ref href="/us/pl/90/219">Public Law 90219</ref>, $29,819,000; of which $1,800,000 shall remain available through September 30, 2020, to provide education and training to Federal court personnel; and of which not to exceed $1,500 is authorized for official reception and representation expenses.</content></appropriations>
<appropriations level="intermediate" id="H5719840DECA941F4825AD183BC5C6482"><heading>United States Sentencing Commission</heading></appropriations>
<appropriations level="small" id="H85234A30D42C4C658DBC08A08F7CC932"><heading><inline class="smallCaps">salaries and expenses</inline></heading><content class="block">For the salaries and expenses necessary to carry out the provisions of <ref href="/us/usc/t28/ch58">chapter 58 of title 28, United States Code</ref>, $18,548,000, of which not to exceed $1,000 is authorized for official reception and representation expenses.</content></appropriations>
<appropriations level="intermediate" id="H5A5EDA2BEBB2472C944AAE009F8F6853"><heading>Administrative Provisions—The Judiciary</heading></appropriations>
<appropriations level="small" id="HB8F95FDE0D7949F59C5FD2CB503B57CD"><heading><inline class="smallCaps">(including transfer of funds)</inline></heading></appropriations>
<section identifier="/us/bill/116/hr/264/tIII/s301" id="H697B8B95F5574F3B8CCB4A7FA79F0A63"><num value="301"><inline class="smallCaps">Sec. 301. </inline></num><content class="inline">Appropriations and authorizations made in this title which are available for salaries and expenses shall be available for services as authorized by <ref href="/us/usc/t5/s3109">5 U.S.C. 3109</ref>.</content></section>
<section identifier="/us/bill/116/hr/264/tIII/s302" id="H238C46D5DF5F47BD9EEBC9AD2EC4E5ED"><num value="302"><inline class="smallCaps">Sec. 302. </inline></num><content class="inline">Not to exceed 5 percent of any appropriation made available for the current fiscal year for the Judiciary in this Act may be transferred between such appropriations, but no such appropriation, except “Courts of Appeals, District Courts, and Other Judicial Services, Defender Services” and “Courts of Appeals, District Courts, and Other Judicial Services, Fees of Jurors and Commissioners”, shall be increased by more than 10 percent by any such transfers: <proviso><i> Provided</i>, That any transfer pursuant to this section shall be treated as a reprogramming of funds under sections 604 and 608 of this Act and shall not be available for obligation or expenditure except in compliance with the procedures set forth in section 608.</proviso></content></section>
<section identifier="/us/bill/116/hr/264/tIII/s303" id="H6D7657A9BB5B44B187F5ED4C687A5A23"><num value="303"><inline class="smallCaps">Sec. 303. </inline></num><content class="inline">Notwithstanding any other provision of law, the salaries and expenses appropriation for “Courts of Appeals, District Courts, and Other Judicial Services” shall be available for official reception and representation expenses of the Judicial Conference of the United States: <proviso><i> Provided</i>, That such available funds shall not exceed $11,000 and shall be administered by the Director of the Administrative Office of the United States Courts in the capacity as Secretary of the Judicial Conference.</proviso></content></section>
<section identifier="/us/bill/116/hr/264/tIII/s304" id="H596E2AAFEFC64667B7D0F80DB3D11F1D"><num value="304"><inline class="smallCaps">Sec. 304. </inline></num><content class="inline"><ref href="/us/usc/t40/s3315/a">Section 3315(a) of title 40, United States Code</ref>, shall be applied by substituting “Federal” for “executive” each place it appears.</content></section>
<section identifier="/us/bill/116/hr/264/tIII/s305" id="H5B7B2889932D4753AFE8DAEB94E1E4BE"><num value="305"><inline class="smallCaps">Sec. 305. </inline></num><content class="inline">In accordance with <ref href="/us/usc/t28/s561569">28 U.S.C. 561569</ref>, and notwithstanding any other provision of law, the United States Marshals Service shall provide, for such courthouses as its Director may designate in consultation with the Director of the Administrative Office of the United States Courts, for purposes of a pilot program, the security services that <ref href="/us/usc/t40/s1315">40 U.S.C. 1315</ref> authorizes the Department of Homeland Security to provide, except for the services specified in <ref href="/us/usc/t40/s1315/b/2/E">40 U.S.C. 1315(b)(2)(E)</ref>. For building-specific security services at these courthouses, the Director of the Administrative Office of the United States Courts shall reimburse the United States Marshals Service rather than the Department of Homeland Security.</content></section>
<section identifier="/us/bill/116/hr/264/tIII/s306" id="HE507697000C34E1B83FC3B5458025D09"><num value="306"><inline class="smallCaps">Sec. 306. </inline></num><subsection role="instruction" identifier="/us/bill/116/hr/264/tIII/s306/a" id="H0EC2103C08CE454E829941F85754195E" class="inline"><num value="a">(a) </num><chapeau>Section 203(c) of the Judicial Improvements Act of 1990 (<ref href="/us/pl/101/650">Public Law 101650</ref>; <ref href="/us/usc/t28/s133">28 U.S.C. 133 note</ref>), <amendingAction type="amend">is amended</amendingAction> in the matter following paragraph 12—</chapeau>
<paragraph identifier="/us/bill/116/hr/264/tIII/s306/a/1" id="HD0590568B8B14011BD6934359EDE4652" changed="added" class="indent1"><num value="1">(1) </num><content>in the second sentence (relating to the District of Kansas), by <amendingAction type="delete">striking</amendingAction> “<quotedText>27 years and 6 months</quotedText>” and <amendingAction type="insert">inserting</amendingAction> “<quotedText>28 years and 6 months</quotedText>”; and</content></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tIII/s306/a/2" id="H593FE119FF12494EBEC51B5A607CBF36" changed="added" class="indent1"><num value="2">(2) </num><content>in the sixth sentence (relating to the District of Hawaii), by <amendingAction type="delete">striking</amendingAction> “<quotedText>24 years and 6 months</quotedText>” and <amendingAction type="insert">inserting</amendingAction> “<quotedText>25 years and 6 months</quotedText>”.</content></paragraph></subsection>
<subsection role="instruction" identifier="/us/bill/116/hr/264/tIII/s306/b" id="H69E22288B50D46548EFCEA84E6BEB47F" changed="added" class="indent0"><num value="b">(b) </num><content>Section 406 of the Transportation, Treasury, Housing and Urban Development, the Judiciary, the District of Columbia, and Independent Agencies Appropriations Act, 2006 (<ref href="/us/pl/109/115">Public Law 109115</ref>; <ref href="/us/stat/119/2470">119 Stat. 2470</ref>; <ref href="/us/usc/t28/s133">28 U.S.C. 133 note</ref>) <amendingAction type="amend">is amended</amendingAction> in the second sentence (relating to the eastern District of Missouri) by <amendingAction type="delete">striking</amendingAction> “<quotedText>25 years and 6 months</quotedText>” and <amendingAction type="insert">inserting</amendingAction> “<quotedText>26 years and 6 months</quotedText>”.</content></subsection>
<subsection role="instruction" identifier="/us/bill/116/hr/264/tIII/s306/c" id="HDAD43C738F7743E7954A0A545532FE8B" changed="added" class="indent0"><num value="c">(c) </num><chapeau>Section 312(c)(2) of the 21st Century Department of Justice Appropriations Authorization Act (<ref href="/us/pl/107/273">Public Law 107273</ref>; <ref href="/us/usc/t28/s133">28 U.S.C. 133 note</ref>), <amendingAction type="amend">is amended</amendingAction>—</chapeau>
<paragraph identifier="/us/bill/116/hr/264/tIII/s306/c/1" id="HE1FF7EBF5CEA4635BE5013B471F7563A" class="indent1"><num value="1">(1) </num><content>in the first sentence by <amendingAction type="delete">striking</amendingAction> “<quotedText>16 years</quotedText>” and <amendingAction type="insert">inserting</amendingAction> “<quotedText>17 years</quotedText>”;</content></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tIII/s306/c/2" id="HD33F59C5C8A047D9BB62F8E89C4745F0" class="indent1"><num value="2">(2) </num><content>in the second sentence (relating to the central District of California), by <amendingAction type="delete">striking</amendingAction> “<quotedText>15 years and 6 months</quotedText>” and <amendingAction type="insert">inserting</amendingAction> “<quotedText>16 years and 6 months</quotedText>”; and</content></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tIII/s306/c/3" id="HD467C2FDAE02499F804860DA9BB7316F" class="indent1"><num value="3">(3) </num><content>in the third sentence (relating to the western district of North Carolina), by <amendingAction type="delete">striking</amendingAction> “<quotedText>14 years</quotedText>” and <amendingAction type="insert">inserting</amendingAction> “<quotedText>15 years</quotedText>”.</content></paragraph></subsection></section>
<appropriations level="small" id="H0328D4F5BD7F402EA8FE802B79EDD295"><content class="block">This title may be cited as the “<shortTitle role="title">Judiciary Appropriations Act, 2019</shortTitle>”.</content></appropriations></title>
<title identifier="/us/bill/116/hr/264/tIV" id="HA5F654E3F5F547E7B83B75893DB73504" changed="added" styleType="appropriations"><num value="IV">TITLE IV</num><heading class="block">DISTRICT OF COLUMBIA</heading>
<appropriations level="intermediate" id="HAABD650CC06B4B929B949911BDA12034"><heading>Federal Funds</heading></appropriations>
<appropriations level="small" id="H7799B3F6EFBF4C5D9D1A79DB7488148F"><heading><inline class="smallCaps">federal payment for resident tuition support</inline></heading><content class="block">For a Federal payment to the District of Columbia, to be deposited into a dedicated account, for a nationwide program to be administered by the Mayor, for District of Columbia resident tuition support, $30,000,000, to remain available until expended: <proviso><i> Provided</i>, That such funds, including any interest accrued thereon, may be used on behalf of eligible District of Columbia residents to pay an amount based upon the difference between in-State and out-of-State tuition at public institutions of higher education, or to pay up to $2,500 each year at eligible private institutions of higher education: </proviso><proviso><i> Provided further</i>, That the awarding of such funds may be prioritized on the basis of a residents academic merit, the income and need of eligible students and such other factors as may be authorized: </proviso><proviso><i> Provided further</i>, That the District of Columbia government shall maintain a dedicated account for the Resident Tuition Support Program that shall consist of the Federal funds appropriated to the Program in this Act and any subsequent appropriations, any unobligated balances from prior fiscal years, and any interest earned in this or any fiscal year: </proviso><proviso><i> Provided further</i>, That the account shall be under the control of the District of Columbia Chief Financial Officer, who shall use those funds solely for the purposes of carrying out the Resident Tuition Support Program: </proviso><proviso><i> Provided further</i>, That the Office of the Chief Financial Officer shall provide a quarterly financial report to the Committees on Appropriations of the House of Representatives and the Senate for these funds showing, by object class, the expenditures made and the purpose therefor.</proviso></content></appropriations>
<appropriations level="small" id="HF0AB85F4EFB14912B952CC897B23FA92"><heading><inline class="smallCaps">federal payment for emergency planning and security costs in the district of columbia</inline></heading><content class="block">For a Federal payment of necessary expenses, as determined by the Mayor of the District of Columbia in written consultation with the elected county or city officials of surrounding jurisdictions, $12,000,000, to remain available until expended, for the costs of providing public safety at events related to the presence of the National Capital in the District of Columbia, including support requested by the Director of the United States Secret Service in carrying out protective duties under the direction of the Secretary of Homeland Security, and for the costs of providing support to respond to immediate and specific terrorist threats or attacks in the District of Columbia or surrounding jurisdictions.</content></appropriations>
<appropriations level="small" id="HA7B2D29B03D442C499B03391FE869A7C"><heading><inline class="smallCaps">federal payment to the district of columbia courts</inline></heading><content class="block">For salaries and expenses for the District of Columbia Courts, $244,939,000 to be allocated as follows: for the District of Columbia Court of Appeals, $13,379,000, of which not to exceed $2,500 is for official reception and representation expenses; for the Superior Court of the District of Columbia, $121,251,000, of which not to exceed $2,500 is for official reception and representation expenses; for the District of Columbia Court System, $71,909,000, of which not to exceed $2,500 is for official reception and representation expenses; and $38,400,000, to remain available until September 30, 2020, for capital improvements for District of Columbia courthouse facilities: <proviso><i> Provided</i>, That funds made available for capital improvements shall be expended consistent with the District of Columbia Courts master plan study and facilities condition assessment: </proviso><proviso><i> Provided further</i>, That notwithstanding any other provision of law, all amounts under this heading shall be apportioned quarterly by the Office of Management and Budget and obligated and expended in the same manner as funds appropriated for salaries and expenses of other Federal agencies: </proviso><proviso><i> Provided further</i>, That 30 days after providing written notice to the Committees on Appropriations of the House of Representatives and the Senate, the District of Columbia Courts may reallocate not more than $9,000,000 of the funds provided under this heading among the items and entities funded under this heading: </proviso><proviso><i> Provided further</i>, That the Joint Committee on Judicial Administration in the District of Columbia may, by regulation, establish a program substantially similar to the program set forth in <ref href="/us/usc/t5/ch35/schII">subchapter II of chapter 35 of title 5, United States Code</ref>, for employees of the District of Columbia Courts.</proviso></content></appropriations>
<appropriations level="small" id="HC2ED2F95780F422FBF003E99C676E2ED"><heading><inline class="smallCaps">federal payment for defender services in district of columbia courts</inline></heading></appropriations>
<appropriations level="small" id="HBA1DB5BB23B94B57AB3FC0227B6DB6F7"><heading><inline class="smallCaps">(including transfer of funds)</inline></heading></appropriations>
<appropriations level="small" id="HA8F72EA33194478C94AA7DF3E1DCAA66"><content class="block">For payments authorized under section 112604 and section 112605, D.C. Official Code (relating to representation provided under the District of Columbia Criminal Justice Act), payments for counsel appointed in proceedings in the Family Court of the Superior Court of the District of Columbia under chapter 23 of title 16, D.C. Official Code, or pursuant to contractual agreements to provide guardian ad litem representation, training, technical assistance, and such other services as are necessary to improve the quality of guardian ad litem representation, payments for counsel appointed in adoption proceedings under chapter 3 of title 16, D.C. Official Code, and payments authorized under section 212060, D.C. Official Code (relating to services provided under the District of Columbia Guardianship, Protective Proceedings, and Durable Power of Attorney Act of 1986), $46,005,000, to remain available until expended: <i> </i><i> </i><proviso><i> Provided</i><i> </i><i> </i>, That not more than $20,000,000 in unobligated funds provided in this account may be transferred to and merged with funds made available under the heading “<headingText>Federal Payment to the District of Columbia Courts,</headingText>” to be available for the same period and purposes as funds made available under that heading for capital improvements to District of Columbia courthouse facilities: <i> </i><i> </i></proviso><proviso><i> Provided further</i><i> </i><i> </i>, That funds provided under this heading shall be administered by the Joint Committee on Judicial Administration in the District of Columbia: </proviso><proviso><i> Provided further</i>, That, notwithstanding any other provision of law, this appropriation shall be apportioned quarterly by the Office of Management and Budget and obligated and expended in the same manner as funds appropriated for expenses of other Federal agencies.</proviso></content></appropriations>
<appropriations level="small" id="H0967BB3B0E31476D9C1E88F16C604DD9"><heading><inline class="smallCaps">federal payment to the court services and offender supervision agency for the district of columbia </inline></heading><content class="block">For salaries and expenses, including the transfer and hire of motor vehicles, of the Court Services and Offender Supervision Agency for the District of Columbia, as authorized by the National Capital Revitalization and Self-Government Improvement Act of 1997, $256,724,000, of which not to exceed $2,000 is for official reception and representation expenses related to Community Supervision and Pretrial Services Agency programs, and of which not to exceed $25,000 is for dues and assessments relating to the implementation of the Court Services and Offender Supervision Agency Interstate Supervision Act of 2002: <proviso><i> Provided</i>, That, of the funds appropriated under this heading, $183,166,000 shall be for necessary expenses of Community Supervision and Sex Offender Registration, to include expenses relating to the supervision of adults subject to protection orders or the provision of services for or related to such persons, of which $5,919,000 shall remain available until September 30, 2021 for costs associated with relocation under a replacement lease for headquarters offices, field offices, and related facilities: </proviso><proviso><i> Provided further</i>, That, of the funds appropriated under this heading, $73,558,000 shall be available to the Pretrial Services Agency, of which $7,304,000 shall remain available until September 30, 2021 for costs associated with relocation under a replacement lease for headquarters offices, field offices, and related facilities: </proviso><proviso><i> Provided further</i>, That notwithstanding any other provision of law, all amounts under this heading shall be apportioned quarterly by the Office of Management and Budget and obligated and expended in the same manner as funds appropriated for salaries and expenses of other Federal agencies: </proviso><proviso><i> Provided further</i>, That amounts under this heading may be used for programmatic incentives for defendants to successfully complete their terms of supervision.</proviso></content></appropriations>
<appropriations level="small" id="HB829E1D87110498683D3510D9A81A487"><heading><inline class="smallCaps">federal payment to the district of columbia public defender service</inline></heading><content class="block">For salaries and expenses, including the transfer and hire of motor vehicles, of the District of Columbia Public Defender Service, as authorized by the National Capital Revitalization and Self-Government Improvement Act of 1997, $45,858,000, of which $4,471,000 shall be available until September 30, 2021 for costs associated with relocation under a replacement lease for headquarters offices, field offices, and related facilities: <proviso><i> Provided</i>, That notwithstanding any other provision of law, all amounts under this heading shall be apportioned quarterly by the Office of Management and Budget and obligated and expended in the same manner as funds appropriated for salaries and expenses of Federal agencies.</proviso></content></appropriations>
<appropriations level="small" id="H91A93253F70C467F9CF6CC97195152FB"><heading><inline class="smallCaps">federal payment to the criminal justice coordinating council</inline></heading><content class="block">For a Federal payment to the Criminal Justice Coordinating Council, $2,150,000, to remain available until expended, to support initiatives related to the coordination of Federal and local criminal justice resources in the District of Columbia.</content></appropriations>
<appropriations level="small" id="HB0DBAB6EB94A4F92A8E86AF3E12364EF"><heading><inline class="smallCaps">federal payment for judicial commissions</inline></heading><content class="block">For a Federal payment, to remain available until September 30, 2020, to the Commission on Judicial Disabilities and Tenure, $295,000, and for the Judicial Nomination Commission, $270,000.</content></appropriations>
<appropriations level="small" id="HDD227E5831C54771B5342EE0A597878D"><heading><inline class="smallCaps">federal payment for school improvement</inline></heading><content class="block">For a Federal payment for a school improvement program in the District of Columbia, $52,500,000, to remain available until expended, for payments authorized under the Scholarship for Opportunity and Results Act (<ref href="/us/pl/112/10/dC">division C of Public Law 11210</ref>): <proviso><i> Provided</i>, That, to the extent that funds are available for opportunity scholarships and following the priorities included in section 3006 of such Act, the Secretary of Education shall make scholarships available to students eligible under section 3013(3) of such Act (<ref href="/us/pl/112/10">Public Law 11210</ref>; <ref href="/us/stat/125/211">125 Stat. 211</ref>) including students who were not offered a scholarship during any previous school year: </proviso><proviso><i> Provided further,</i> That within funds provided for opportunity scholarships up to $1,200,000 shall be for the activities specified in sections 3007(b) through 3007(d) of the Act and up to $500,000 shall be for the activities specified in section 3009 of the Act.</proviso></content></appropriations>
<appropriations level="small" id="H797635F50E0E43C5B479E0EB9D9941C1"><heading><inline class="smallCaps">federal payment for the district of columbia national guard</inline></heading><content class="block">For a Federal payment to the District of Columbia National Guard, $435,000, to remain available until expended for the Major General David F. Wherley, Jr. District of Columbia National Guard Retention and College Access Program.</content></appropriations>
<appropriations level="small" id="HE9645F7DCFE144908639DF4BD66CF673"><heading><inline class="smallCaps">federal payment for testing and treatment of hiv/aids</inline></heading><content class="block">For a Federal payment to the District of Columbia for the testing of individuals for, and the treatment of individuals with, human immunodeficiency virus and acquired immunodeficiency syndrome in the District of Columbia, $2,000,000.</content></appropriations>
<appropriations level="intermediate" id="H55A813D2281A42399878D001542C8B1E"><heading>District of Columbia Funds</heading><content class="block">Local funds are appropriated for the District of Columbia for the current fiscal year out of the General Fund of the District of Columbia (“General Fund”) for programs and activities set forth under the heading “<headingText role="section" styleType="OLC" class="smallCaps">part a—summary of expenses</headingText>” and at the rate set forth under such heading, as included in the Fiscal Year 2019 Budget Request Act of 2018 submitted to Congress by the District of Columbia, as amended as of the date of enactment of this Act: <proviso><i> Provided</i>, That notwithstanding any other provision of law, except as provided in section 450A of the District of Columbia Home Rule Act (section 1204.50a, D.C. Official Code), sections 816 and 817 of the Financial Services and General Government Appropriations Act, 2009 (secs. 47369.01 and 47369.02, D.C. Official Code), and provisions of this Act, the total amount appropriated in this Act for operating expenses for the District of Columbia for fiscal year 2019 under this heading shall not exceed the estimates included in the Fiscal Year 2019 Budget Request Act of 2018 submitted to Congress by the District of Columbia, as amended as of the date of enactment of this Act or the sum of the total revenues of the District of Columbia for such fiscal year: </proviso><proviso><i> Provided further</i>, That the amount appropriated may be increased by proceeds of one-time transactions, which are expended for emergency or unanticipated operating or capital needs: </proviso><proviso><i> Provided further</i>, That such increases shall be approved by enactment of local District law and shall comply with all reserve requirements contained in the District of Columbia Home Rule Act: </proviso><proviso><i> Provided further</i>, That the Chief Financial Officer of the District of Columbia shall take such steps as are necessary to assure that the District of Columbia meets these requirements, including the apportioning by the Chief Financial Officer of the appropriations and funds made available to the District during fiscal year 2019, except that the Chief Financial Officer may not reprogram for operating expenses any funds derived from bonds, notes, or other obligations issued for capital projects.</proviso></content></appropriations>
<appropriations level="small" id="H03340F07A2E34F489C534D05F5E2C3D8"><heading><inline class="smallCaps">federal payment to the district of columbia water and sewer authority</inline></heading><content class="block">For a Federal payment to the District of Columbia Water and Sewer Authority, $10,000,000, to remain available until expended, to continue implementation of the Combined Sewer Overflow Long-Term Plan: <proviso><i> Provided</i>, That the District of Columbia Water and Sewer Authority provides a 100 percent match for this payment.</proviso></content></appropriations>
<appropriations level="small" id="H729EB19CBDE34D318F06F6A129C95245"><content class="block">This title may be cited as the “<shortTitle role="title">District of Columbia Appropriations Act, 2019</shortTitle>”.</content></appropriations></title>
<title identifier="/us/bill/116/hr/264/tV" id="H42598D8B33584D9CB1B51F2A5890B0D5" styleType="appropriations"><num value="V">TITLE V</num><heading class="block">INDEPENDENT AGENCIES</heading>
<appropriations level="intermediate" id="H6AFFEFBB555D440F838B573465F8E120"><heading>Administrative Conference of the United States</heading></appropriations>
<appropriations level="small" id="H4539544492BF4E04874A358A7C664628"><heading><inline class="smallCaps">salaries and expenses</inline></heading></appropriations>
<appropriations level="small" id="H59889BB20AF841B099F54DFCA0F79607"><content class="block">For necessary expenses of the Administrative Conference of the United States, authorized by <ref href="/us/usc/t5/s591/etseq">5 U.S.C. 591 et seq.</ref>, $3,100,000,<addedText origin="#SSAP00" class="italic"/> to remain available until September 30, 2020, of which not to exceed $1,000 is for official reception and representation expenses.</content></appropriations>
<appropriations level="intermediate" id="HB447DEC567A345B1A80AEB10CEC4669B"><heading>Commodity Futures Trading Commission</heading><content class="block">For necessary expenses to carry out the provisions of the Commodity Exchange Act (<ref href="/us/usc/t7/s1/etseq">7 U.S.C. 1 et seq.</ref>), including the purchase and hire of passenger motor vehicles, and the rental of space (to include multiple year leases), in the District of Columbia and elsewhere, $281,500,000, including not to exceed $3,000 for official reception and representation expenses, and not to exceed $25,000 for the expenses for consultations and meetings hosted by the Commission with foreign governmental and other regulatory officials, of which not less than $57,000,000, to remain available until September 30, 2020, shall be for the purchase of information technology and of which not less than $3,302,509 shall be for expenses of the Office of the Inspector General: <proviso><i> Provided</i>, That notwithstanding the limitations in <ref href="/us/usc/t31/s1553">31 U.S.C. 1553</ref>, amounts provided under this heading are available for the liquidation of obligations equal to current year payments on leases entered into prior to the date of enactment of this Act: </proviso><proviso><i> Provided further</i>, That for the purpose of recording and liquidating any lease obligations that should have been recorded and liquidated against accounts closed pursuant to <ref href="/us/usc/t31/s1552">31 U.S.C. 1552</ref>, and consistent with the preceding proviso, such amounts shall be transferred to and recorded in a no-year account in the Treasury, which has been established for the sole purpose of recording adjustments for and liquidating such unpaid obligations.</proviso></content></appropriations>
<appropriations level="intermediate" id="H657FC894BD904FCFAB8E734652B311BF"><heading>Consumer Product Safety Commission</heading></appropriations>
<appropriations level="small" id="H86A05739FE994838BA0F581F185B77B4"><heading><inline class="smallCaps">salaries and expenses</inline></heading></appropriations>
<appropriations level="small" id="H5DEF791C273242D0B8671BA9E72AC68A"><content class="block">For necessary expenses of the Consumer Product Safety Commission, including hire of passenger motor vehicles, services as authorized by <ref href="/us/usc/t5/s3109">5 U.S.C. 3109</ref>, but at rates for individuals not to exceed the per diem rate equivalent to the maximum rate payable under <ref href="/us/usc/t5/s5376">5 U.S.C. 5376</ref>, purchase of nominal awards to recognize non-Federal officials contributions to Commission activities, and not to exceed $4,000 for official reception and representation expenses, $126,000,000.</content></appropriations>
<appropriations level="small" id="H9C0BE581B0494B68990DA4741D56B826"><heading><inline class="smallCaps">administrative provisions—consumer product safety commission</inline></heading></appropriations>
<section identifier="/us/bill/116/hr/264/tV/s501" id="HCD6FB58235C04D288355106CEC90ABEC"><num value="501"><inline class="smallCaps">Sec. 501. </inline></num><chapeau class="inline">During fiscal year 2019, none of the amounts made available by this Act may be used to finalize or implement the Safety Standard for Recreational Off-Highway Vehicles published by the Consumer Product Safety Commission in the Federal Register on November 19, 2014 (<ref href="/us/fr/79/68964">79 Fed. Reg. 68964</ref>) until after—</chapeau>
<paragraph identifier="/us/bill/116/hr/264/tV/s501/1" id="HA44FD0147B9242FDB428842DCBB23D1E" class="indent1"><num value="1">(1) </num><chapeau>the National Academy of Sciences, in consultation with the National Highway Traffic Safety Administration and the Department of Defense, completes a study to determine—</chapeau>
<subparagraph identifier="/us/bill/116/hr/264/tV/s501/1/A" id="H074E0F8C40BA48538D7E80F90C4B1F49" class="indent2"><num value="A">(A) </num><content>the technical validity of the lateral stability and vehicle handling requirements proposed by such standard for purposes of reducing the risk of Recreational Off-Highway Vehicle (referred to in this section as “ROV”) rollovers in the off-road environment, including the repeatability and reproducibility of testing for compliance with such requirements;</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/264/tV/s501/1/B" id="H54414A8A88964DF58255A2D91958583D" class="indent2"><num value="B">(B) </num><content>the number of ROV rollovers that would be prevented if the proposed requirements were adopted;</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/264/tV/s501/1/C" id="HCC440259CA9A49D9AF4C8619A1C55C82" class="indent2"><num value="C">(C) </num><content>whether there is a technical basis for the proposal to provide information on a point-of-sale hangtag about a ROVs rollover resistance on a progressive scale; and</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/264/tV/s501/1/D" id="HFDB2BC52A1BD4BC2AB7506CC0EB0746E" class="indent2"><num value="D">(D) </num><content>the effect on the utility of ROVs used by the United States military if the proposed requirements were adopted; and</content></subparagraph></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tV/s501/2" id="H105E582DB2744C018683A423B74436AA" class="indent1"><num value="2">(2) </num><chapeau>a report containing the results of the study completed under paragraph (1) is delivered to—</chapeau>
<subparagraph identifier="/us/bill/116/hr/264/tV/s501/2/A" id="H7C2B3E9EE8CF4245B7DD8F15345B99BB" class="indent2"><num value="A">(A) </num><content>the Committee on Commerce, Science, and Transportation of the Senate;</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/264/tV/s501/2/B" id="H0229BA3B6E5F4522AD76DDFF3819469D" class="indent2"><num value="B">(B) </num><content>the Committee on Energy and Commerce of the House of Representatives;</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/264/tV/s501/2/C" id="HF8614E00544C4FD2BB94201168DB6525" class="indent2"><num value="C">(C) </num><content>the Committee on Appropriations of the Senate; and</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/264/tV/s501/2/D" id="HD672968B9ACD4AC0B5A7A893836360EA" class="indent2"><num value="D">(D) </num><content>the Committee on Appropriations of the House of Representatives.</content></subparagraph></paragraph></section>
<appropriations level="intermediate" id="H06D747247C48450F809F913C852F4F83"><heading>Election Assistance Commission</heading></appropriations>
<appropriations level="small" id="HA7AEAC25E1C8402D9C8880AC862EE861"><heading><inline class="smallCaps">salaries and expenses</inline></heading></appropriations>
<appropriations level="small" id="H2623E500AAA44F5FA428ADA8124E04E8"><heading><inline class="smallCaps">(including transfer of funds)</inline></heading><content class="block">For necessary expenses to carry out the Help America Vote Act of 2002 (<ref href="/us/pl/107/252">Public Law 107252</ref>), $9,200,000, of which $1,500,000 shall be transferred to the National Institute of Standards and Technology for election reform activities authorized under the Help America Vote Act of 2002.</content></appropriations>
<appropriations level="intermediate" id="H4D86842B598D4BD0AFA5741B36EED0C6"><heading>Federal Communications Commission</heading></appropriations>
<appropriations level="small" id="HA57AF9401C2040F8AC360ED120C0455C"><heading><inline class="smallCaps">salaries and expenses</inline></heading></appropriations>
<appropriations level="small" id="HE6DCCC9A8E644FC49AFE8374836B381D"><content class="block">For necessary expenses of the Federal Communications Commission, as authorized by law, including uniforms and allowances therefor, as authorized by <ref href="/us/usc/t5/s59015902">5 U.S.C. 59015902</ref>; not to exceed $4,000 for official reception and representation expenses; purchase and hire of motor vehicles; special counsel fees; and services as authorized by <ref href="/us/usc/t5/s3109">5 U.S.C. 3109</ref>, $333,118,000, to remain available until expended: <proviso><i> Provided</i>, That $333,118,000 of offsetting collections shall be assessed and collected pursuant to section 9 of title I of the Communications Act of 1934, shall be retained and used for necessary expenses and shall remain available until expended: </proviso><proviso><i> Provided further</i>, That the sum herein appropriated shall be reduced as such offsetting collections are received during fiscal year 2019 so as to result in a final fiscal year 2019 appropriation estimated at $0: </proviso><proviso><i> Provided further</i>, That any offsetting collections received in excess of $333,118,000 in fiscal year 2019 shall not be available for obligation: </proviso><proviso><i> Provided further</i>, That remaining offsetting collections from prior years collected in excess of the amount specified for collection in each such year and otherwise becoming available on October 1, 2018, shall not be available for obligation: </proviso><proviso><i> Provided further</i>, That, notwithstanding <ref href="/us/usc/t47/s309/j/8/B">47 U.S.C. 309(j)(8)(B)</ref>, proceeds from the use of a competitive bidding system that may be retained and made available for obligation shall not exceed $130,284,000 for fiscal year 2019: </proviso><proviso><i> Provided further</i>, That, of the amount appropriated under this heading, not less than $11,064,000 shall be for the salaries and expenses of the Office of Inspector General.</proviso></content></appropriations>
<appropriations level="small" id="H9A77A20756B9424E885C58CD15953678"><heading><inline class="smallCaps">administrative provisions—federal communications commission</inline></heading></appropriations>
<section identifier="/us/bill/116/hr/264/tV/s510" id="HCBC2082AF43C4973A9AB17DDB25B471A"><num value="510"><inline class="smallCaps">Sec. 510. </inline></num><chapeau class="inline">None of the funds appropriated by this Act may be used by the Federal Communications Commission to modify, amend, or change its rules or regulations for universal service support payments to implement the February 27, 2004 recommendations of the Federal-State Joint Board on Universal Service regarding single connection or primary line restrictions on universal service support payments.</chapeau>
<appropriations level="intermediate" id="HC5231F9ED8D34DF59FB1285EDFC7CFC4"><heading>Federal Deposit Insurance Corporation</heading></appropriations>
<appropriations level="small" id="H338E5769442E456891C7E8B388AA7F79"><heading><inline class="smallCaps">office of the inspector general</inline></heading></appropriations>
<appropriations level="small" id="H96297B19C52E4FEAB52B4B32D24088D3"><content class="block">For necessary expenses of the Office of Inspector General in carrying out the provisions of the Inspector General Act of 1978, $42,982,000, to be derived from the Deposit Insurance Fund or, only when appropriate, the FSLIC Resolution Fund.</content></appropriations>
<appropriations level="intermediate" id="HEB6A3F440BBC4EC99ECBC1D903F4CFE4"><heading>Federal Election Commission</heading></appropriations>
<appropriations level="small" id="H94087002D81447E9A62CAD6EEA3A3630"><heading><inline class="smallCaps">salaries and expenses</inline></heading><content class="block">For necessary expenses to carry out the provisions of the Federal Election Campaign Act of 1971, $71,250,000, of which not to exceed $5,000 shall be available for reception and representation expenses.</content></appropriations>
<appropriations level="intermediate" id="H4BA6036A3A58468580F4A3844310D944"><heading>Federal Labor Relations Authority</heading></appropriations>
<appropriations level="small" id="H3F073099B4CE40C791CD5B5C81075979"><heading><inline class="smallCaps">salaries and expenses</inline></heading><content class="block">For necessary expenses to carry out functions of the Federal Labor Relations Authority, pursuant to Reorganization Plan Numbered 2 of 1978, and the Civil Service Reform Act of 1978, including services authorized by <ref href="/us/usc/t5/s3109">5 U.S.C. 3109</ref>, and including hire of experts and consultants, hire of passenger motor vehicles, and including official reception and representation expenses (not to exceed $1,500) and rental of conference rooms in the District of Columbia and elsewhere, $26,200,000: <proviso><i> Provided</i>, That public members of the Federal Service Impasses Panel may be paid travel expenses and per diem in lieu of subsistence as authorized by law (<ref href="/us/usc/t5/s5703">5 U.S.C. 5703</ref>) for persons employed intermittently in the Government service, and compensation as authorized by <ref href="/us/usc/t5/s3109">5 U.S.C. 3109</ref>: </proviso><proviso><i> Provided further</i>, That, notwithstanding <ref href="/us/usc/t31/s3302">31 U.S.C. 3302</ref>, funds received from fees charged to non-Federal participants at labor-management relations conferences shall be credited to and merged with this account, to be available without further appropriation for the costs of carrying out these conferences.</proviso></content></appropriations>
<appropriations level="intermediate" id="H661246C0F95A4E3B81AC67BEF326A33A"><heading>Federal Trade Commission</heading></appropriations>
<appropriations level="small" id="H08E489D1FC3F4A74AA1B1C11A7F8F96C"><heading><inline class="smallCaps">salaries and expenses</inline></heading><content class="block">For necessary expenses of the Federal Trade Commission, including uniforms or allowances therefor, as authorized by <ref href="/us/usc/t5/s59015902">5 U.S.C. 59015902</ref>; services as authorized by <ref href="/us/usc/t5/s3109">5 U.S.C. 3109</ref>; hire of passenger motor vehicles; and not to exceed $2,000 for official reception and representation expenses, $309,700,000, to remain available until expended: <proviso><i> Provided</i>, That not to exceed $300,000 shall be available for use to contract with a person or persons for collection services in accordance with the terms of <ref href="/us/usc/t31/s3718">31 U.S.C. 3718</ref>: </proviso><proviso><i> Provided further</i>, That, notwithstanding any other provision of law, not to exceed $136,000,000 of offsetting collections derived from fees collected for premerger notification filings under the Hart-Scott-Rodino Antitrust Improvements Act of 1976 (<ref href="/us/usc/t15/s18a">15 U.S.C. 18a</ref>), regardless of the year of collection, shall be retained and used for necessary expenses in this appropriation: </proviso><proviso><i> Provided further</i>, That, notwithstanding any other provision of law, not to exceed $17,000,000 in offsetting collections derived from fees sufficient to implement and enforce the Telemarketing Sales Rule, promulgated under the Telemarketing and Consumer Fraud and Abuse Prevention Act (<ref href="/us/usc/t15/s6101/etseq">15 U.S.C. 6101 et seq.</ref>), shall be credited to this account, and be retained and used for necessary expenses in this appropriation: </proviso><proviso><i> Provided further</i>, That the sum herein appropriated from the general fund shall be reduced as such offsetting collections are received during fiscal year 2019, so as to result in a final fiscal year 2019 appropriation from the general fund estimated at not more than $156,700,000: </proviso><proviso><i> Provided further</i>, That none of the funds made available to the Federal Trade Commission may be used to implement subsection (e)(2)(B) of section 43 of the Federal Deposit Insurance Act (<ref href="/us/usc/t12/s1831t">12 U.S.C. 1831t</ref>).</proviso></content></appropriations>
<appropriations level="intermediate" id="HF7988BDD98C443B39828FDD21CE4E4D2"><heading>General Services Administration</heading></appropriations>
<appropriations level="small" id="HD0FEE882439E4D2FB4815C8AE487BC02"><heading><inline class="smallCaps">real property activities</inline></heading></appropriations>
<appropriations level="small" id="H0B8E7B3F9B234D3CAE0AECCAE55D6A44"><heading><inline class="smallCaps">federal buildings fund</inline></heading></appropriations>
<appropriations level="small" id="HE4F01FEEE2CC4B94A0354060362F64B4"><heading><inline class="smallCaps">limitations on availability of revenue</inline></heading></appropriations>
<appropriations level="small" id="HF79744C18B0A44BAAE018AD25DD9F396"><heading><inline class="smallCaps">(including transfers of funds)</inline></heading><chapeau>Amounts in the Fund, including revenues and collections deposited into the Fund, shall be available for necessary expenses of real property management and related activities not otherwise provided for, including operation, maintenance, and protection of federally owned and leased buildings; rental of buildings in the District of Columbia; restoration of leased premises; moving governmental agencies (including space adjustments and telecommunications relocation expenses) in connection with the assignment, allocation, and transfer of space; contractual services incident to cleaning or servicing buildings, and moving; repair and alteration of federally owned buildings, including grounds, approaches, and appurtenances; care and safeguarding of sites; maintenance, preservation, demolition, and equipment; acquisition of buildings and sites by purchase, condemnation, or as otherwise authorized by law; acquisition of options to purchase buildings and sites; conversion and extension of federally owned buildings; preliminary planning and design of projects by contract or otherwise; construction of new buildings (including equipment for such buildings); and payment of principal, interest, and any other obligations for public buildings acquired by installment purchase and purchase contract; in the aggregate amount of $9,633,450,000, of which—</chapeau>
<paragraph id="H8006EA2BAAA64DD999AD8D09424C3A76" class="indent1"><num value="1">(1) </num><chapeau>$1,080,068,000 shall remain available until expended for construction and acquisition (including funds for sites and expenses, and associated design and construction services) as follows:</chapeau>
<subparagraph id="HFAB58A8D4E1648A380EFB126CB6FEEDC" class="indent2"><num value="A">(A) </num><content>$767,900,000 shall be for the Department of Transportation Lease Purchase Option, Washington, District of Columbia;</content></subparagraph>
<subparagraph id="HFF87186DB56B435192E5616076A973A7" class="indent2"><num value="B">(B) </num><content>$100,000,000 shall be for the DHS Consolidation at St. Elizabeths, Washington, District of Columbia;</content></subparagraph>
<subparagraph id="HDC40C99469F3455A8E4671BC4A17AAC4" class="indent2"><num value="C">(C) </num><content>$27,268,000 shall be for the Former Hardesty Federal Complex, Kansas City, Missouri;</content></subparagraph>
<subparagraph id="H2378BA16A5F940FA825AE17D1EA3C521" class="indent2"><num value="D">(D) </num><content>$9,000,000 shall be for the Southeast Federal Center Remediation, Washington, District of Columbia; and</content></subparagraph>
<subparagraph id="H09CCC998464D4980981C098EFAE67A2C" class="indent2"><num value="E">(E) </num><content>$175,900,000 shall be for the Calexico West Land Port of Entry, Calexico, California:</content></subparagraph>
<continuation class="indent0" role="paragraph"> <proviso><i> Provided</i>, That each of the foregoing limits of costs on new construction and acquisition projects may be exceeded to the extent that savings are effected in other such projects, but not to exceed 10 percent of the amounts included in a transmitted prospectus, if required, unless advance approval is obtained from the Committees on Appropriations of a greater amount;</proviso></continuation></paragraph>
<paragraph id="HC94F3EB938F844929C2A1DBFAEEFD8D5" class="indent1"><num value="2">(2) </num><chapeau>$890,419,000 shall remain available until expended for repairs and alterations, including associated design and construction services, of which—</chapeau>
<subparagraph id="H2DC16C3EDA434C359F7006A79AC04D02" class="indent2"><num value="A">(A) </num><content>$424,690,000 is for Major Repairs and Alterations;</content></subparagraph>
<subparagraph id="HA7E3E295083D4982937B051D3F1FE965" class="indent2"><num value="B">(B) </num><content>$373,556,000 is for Basic Repairs and Alterations; and</content></subparagraph>
<subparagraph id="HCC7BE1BB3BDE414882C9670B80B388AF" class="indent2"><num value="C">(C) </num><chapeau>$92,173,000 is for Special Emphasis Programs, of which—</chapeau>
<clause id="H66A83B8A4B4E459F8B3FA64CEA5784D8" class="indent3"><num value="i">(i) </num><content>$30,000,000 is for Fire and Life Safety;</content></clause>
<clause id="H0F16D21B56B34AE39E2CC168E0CF18A4" class="indent3"><num value="ii">(ii) </num><content>$11,500,000 is for Judiciary Capital Security; and</content></clause>
<clause id="H82384D9A166D4BB79B4B06B6225132AA" class="indent3"><num value="iii">(iii) </num><content>$50,673,000 is for Consolidation Activities: <proviso><i> Provided</i>, That consolidation projects result in reduced annual rent paid by the tenant agency: </proviso><proviso><i> Provided further</i>, That no consolidation project exceed $10,000,000 in costs: </proviso><proviso><i> Provided further</i>, That consolidation projects are approved by each of the committees specified in <ref href="/us/usc/t40/s3307/a">section 3307(a) of title 40, United States Code</ref>: </proviso><proviso><i> Provided further</i>, That preference is given to consolidation projects that achieve a utilization rate of 130 usable square feet or less per person for office space: </proviso><proviso><i> Provided further</i>, That the obligation of funds under this paragraph for consolidation activities may not be made until 10 days after a proposed spending plan and explanation for each project to be undertaken, including estimated savings, has been submitted to the Committees on Appropriations of the House of Representatives and the Senate:</proviso></content></clause></subparagraph>
<continuation class="indent0" role="paragraph"> <proviso><i> Provided,</i> That funds made available in this or any previous Act in the Federal Buildings Fund for Repairs and Alterations shall, for prospectus projects, be limited to the amount identified for each project, except each project in this or any previous Act may be increased by an amount not to exceed 10 percent unless advance approval is obtained from the Committees on Appropriations of a greater amount: </proviso><proviso><i> Provided further</i>, That additional projects for which prospectuses have been fully approved may be funded under this category only if advance approval is obtained from the Committees on Appropriations: </proviso><proviso><i> Provided further</i>, That the amounts provided in this or any prior Act for “Repairs and Alterations” may be used to fund costs associated with implementing security improvements to buildings necessary to meet the minimum standards for security in accordance with current law and in compliance with the reprogramming guidelines of the appropriate Committees of the House and Senate: </proviso><proviso><i> Provided further,</i> That the difference between the funds appropriated and expended on any projects in this or any prior Act, under the heading “<headingText>Repairs and Alterations</headingText>”, may be transferred to Basic Repairs and Alterations or used to fund authorized increases in prospectus projects: </proviso><proviso><i> Provided further</i>, That the amount provided in this or any prior Act for Basic Repairs and Alterations may be used to pay claims against the Government arising from any projects under the heading “<headingText>Repairs and Alterations</headingText>” or used to fund authorized increases in prospectus projects;</proviso></continuation></paragraph>
<paragraph id="H82E68EDA99DF40C58ABB34E00EE42853" class="indent1"><num value="3">(3) </num><content>$5,418,845,000 for rental of space to remain available until expended; and</content></paragraph>
<paragraph id="H3D571B6D4FA14664AD346D822FC21425" class="indent1"><num value="4">(4) </num><content>$2,244,118,000 for building operations to remain available until expended: <proviso><i> Provided</i>, That the total amount of funds made available from this Fund to the General Services Administration shall not be available for expenses of any construction, repair, alteration and acquisition project for which a prospectus, if required by <ref href="/us/usc/t40/s3307/a">40 U.S.C. 3307(a)</ref>, has not been approved, except that necessary funds may be expended for each project for required expenses for the development of a proposed prospectus: </proviso><proviso><i> Provided further</i>, That funds available in the Federal Buildings Fund may be expended for emergency repairs when advance approval is obtained from the Committees on Appropriations: </proviso><proviso><i> Provided further</i>, That amounts necessary to provide reimbursable special services to other agencies under <ref href="/us/usc/t40/s592/b/2">40 U.S.C. 592(b)(2)</ref> and amounts to provide such reimbursable fencing, lighting, guard booths, and other facilities on private or other property not in Government ownership or control as may be appropriate to enable the United States Secret Service to perform its protective functions pursuant to <ref href="/us/usc/t18/s3056">18 U.S.C. 3056</ref>, shall be available from such revenues and collections: </proviso><proviso><i> Provided further</i>, That revenues and collections and any other sums accruing to this Fund during fiscal year 2019, excluding reimbursements under <ref href="/us/usc/t40/s592/b/2">40 U.S.C. 592(b)(2)</ref>, in excess of the aggregate new obligational authority authorized for Real Property Activities of the Federal Buildings Fund in this Act shall remain in the Fund and shall not be available for expenditure except as authorized in appropriations Acts.</proviso></content></paragraph></appropriations>
<appropriations level="small" id="H30512653304F4C66875122384987D2DC"><heading><inline class="smallCaps">general activities</inline></heading></appropriations>
<appropriations level="small" id="HD806C561A9DA4A9091921035A241F54D"><heading><inline class="smallCaps">government-wide policy</inline></heading><content class="block">For expenses authorized by law, not otherwise provided for, for Government-wide policy and evaluation activities associated with the management of real and personal property assets and certain administrative services; Government-wide policy support responsibilities relating to acquisition, travel, motor vehicles, information technology management, and related technology activities; and services as authorized by <ref href="/us/usc/t5/s3109">5 U.S.C. 3109</ref>; $58,499,000.</content></appropriations>
<appropriations level="small" id="HB0868E1F74DC4B63B20564A183BEB5CC"><heading><inline class="smallCaps">operating expenses</inline></heading></appropriations>
<appropriations level="small" id="HFD88AF8946164E99A949DB1B6D08B5EF"><content class="block">For expenses authorized by law, not otherwise provided for, for Government-wide activities associated with utilization and donation of surplus personal property; disposal of real property; agency-wide policy direction, management, and communications; and services as authorized by <ref href="/us/usc/t5/s3109">5 U.S.C. 3109</ref>; $49,440,000, of which not less than $26,890,000 is for Real and Personal Property Management and Disposal; and up to $22,550,000 is for the Office of the Administrator,<addedText origin="#SSAP00" class="italic"/> of which not to exceed $7,500 is for official reception and representation expenses.</content></appropriations>
<appropriations level="small" id="HA86C2DB1DDFB4881BB4875CF9694A1A1"><heading><inline class="smallCaps">civilian board of contract appeals</inline></heading></appropriations>
<appropriations level="small" id="HEF858EBC1C0B40E1A08E71D064DA4AA0"><content class="block">For expenses authorized by law, not otherwise provided for, for the activities associated with the Civilian Board of Contract Appeals, $9,301,000.</content></appropriations>
<appropriations level="small" id="HF1FEFB665CDD4B62BD0A87C4684176D8"><heading><inline class="smallCaps">office of inspector general</inline></heading></appropriations>
<appropriations level="small" id="H5DEC438EA014495B928CD7C04201EC18"><heading><inline class="smallCaps">(including transfer of funds)</inline></heading></appropriations>
<appropriations level="small" id="HEB0D203748534CE18740CB0AE86A70C1"><content>
<p>For necessary expenses of the Office of Inspector General and service authorized by <ref href="/us/usc/t5/s3109">5 U.S.C. 3109</ref>, $65,000,000: <proviso><i> Provided</i>, That not to exceed $50,000 shall be available for payment for information and detection of fraud against the Government, including payment for recovery of stolen Government property: </proviso><proviso><i> Provided further</i>, That not to exceed $2,500 shall be available for awards to employees of other Federal agencies and private citizens in recognition of efforts and initiatives resulting in enhanced Office of Inspector General effectiveness.</proviso></p>
<p>In addition to the foregoing appropriation, $2,000,000, to remain available until expended, shall be transferred to the Council of the Inspectors General on Integrity and Efficiency for enhancements to www.oversight.gov: <proviso><i> Provided</i>, That these amounts shall be in addition to any other amounts available to the Council of the Inspectors General on Integrity and Efficiency for such purpose.</proviso></p></content></appropriations>
<appropriations level="small" id="H39728325CA484C2B83AFD89561BBA02C"><heading><inline class="smallCaps">allowances and office staff for former presidents</inline></heading><content class="block">For carrying out the provisions of the Act of August 25, 1958 (<ref href="/us/usc/t3/s102">3 U.S.C. 102 note</ref>), and <ref href="/us/pl/95/138">Public Law 95138</ref>, $4,796,000.</content></appropriations>
<appropriations level="small" changed="added" id="H7A9C67CC3BC64B27A728175338678592"><heading><inline class="smallCaps">federal citizen services fund</inline></heading></appropriations>
<appropriations level="small" changed="added" id="HBD6D30F80D274B769A90C6DD4AC5D8FB"><heading><inline class="smallCaps"> (including transfers of funds) </inline></heading><content class="block">For necessary expenses of the Office of Products and Programs, including services authorized by <ref href="/us/usc/t40/s323">40 U.S.C. 323</ref> and <ref href="/us/usc/t44/s3604">44 U.S.C. 3604</ref>; and for necessary expenses in support of interagency projects that enable the Federal Government to enhance its ability to conduct activities electronically, through the development and implementation of innovative uses of information technology; $55,000,000, to be deposited into the Federal Citizen Services Fund: <proviso><i> Provided</i>, That the previous amount may be transferred to Federal agencies to carry out the purpose of the Federal Citizen Services Fund: </proviso><proviso><i> Provided further</i>, That the appropriations, revenues, reimbursements, and collections deposited into the Fund shall be available until expended for necessary expenses of Federal Citizen Services and other activities that enable the Federal Government to enhance its ability to conduct activities electronically in the aggregate amount not to exceed $100,000,000: </proviso><proviso><i> Provided further</i>, That appropriations, revenues, reimbursements, and collections accruing to this Fund during fiscal year 2019 in excess of such amount shall remain in the Fund and shall not be available for expenditure except as authorized in appropriations Acts: </proviso><proviso><i> Provided further</i>, That the transfer authorities provided herein shall be in addition to any other transfer authority provided in this Act.</proviso></content></appropriations>
<appropriations level="intermediate" id="H5FC31EB6FE404F4F81DC1A2FD922E0C4"><heading>Asset Proceeds and Space Management Fund</heading><content class="block">For carrying out the purposes of the Federal Assets Sale and Transfer Act of 2016 (<ref href="/us/pl/114/287">Public Law 114287</ref>), $15,500,000, to be deposited into the Asset Proceeds and Space Management Fund, to remain available until expended.</content></appropriations>
<appropriations level="small" id="H7CCA566943C34B8681CACA31EA02BAD7"><heading><inline class="smallCaps">environmental review improvement fund</inline></heading><content class="block">For necessary expenses of the Environmental Review Improvement Fund established pursuant to <ref href="/us/usc/t42/s4370m8/d">42 U.S.C. 4370m8(d)</ref>, $6,070,000, to remain available until expended.</content></appropriations>
<appropriations level="small" id="HC653C8DDF23546AEA453EC4ED8F32D71"><heading><inline class="smallCaps">administrative provisions—general services administration</inline></heading></appropriations>
<appropriations level="small" id="HD97797913A2F430BBA9603580970225B"><heading><inline class="smallCaps">(including transfer of funds)</inline></heading></appropriations></section>
<section identifier="/us/bill/116/hr/264/tV/s520" id="HB1A353A3279444738FB0C3B63C84C3E5"><num value="520"><inline class="smallCaps">Sec. 520. </inline></num><content class="inline">Funds available to the General Services Administration shall be available for the hire of passenger motor vehicles.</content></section>
<section identifier="/us/bill/116/hr/264/tV/s521" id="HE4512C07968B420589310340C9593971"><num value="521"><inline class="smallCaps">Sec. 521. </inline></num><content class="inline">Funds in the Federal Buildings Fund made available for fiscal year 2019 for Federal Buildings Fund activities may be transferred between such activities only to the extent necessary to meet program requirements: <proviso><i> Provided</i>, That any proposed transfers shall be approved in advance by the Committees on Appropriations of the House of Representatives and the Senate.</proviso></content></section>
<section identifier="/us/bill/116/hr/264/tV/s522" id="H213F002810AE4629BCC91B364A4DCCCB"><num value="522"><inline class="smallCaps">Sec. 522. </inline></num><content class="inline">Except as otherwise provided in this title, funds made available by this Act shall be used to transmit a fiscal year 2020 request for United States Courthouse construction only if the request: (1) meets the design guide standards for construction as established and approved by the General Services Administration, the Judicial Conference of the United States, and the Office of Management and Budget; (2) reflects the priorities of the Judicial Conference of the United States as set out in its approved Courthouse Project Priorities plan; and (3) includes a standardized courtroom utilization study of each facility to be constructed, replaced, or expanded.</content></section>
<section identifier="/us/bill/116/hr/264/tV/s523" id="HDFE98CA56030424394B983D09BF76414"><num value="523"><inline class="smallCaps">Sec. 523. </inline></num><content class="inline">None of the funds provided in this Act may be used to increase the amount of occupiable square feet, provide cleaning services, security enhancements, or any other service usually provided through the Federal Buildings Fund, to any agency that does not pay the rate per square foot assessment for space and services as determined by the General Services Administration in consideration of the Public Buildings Amendments Act of 1972 (<ref href="/us/pl/92/313">Public Law 92313</ref>).</content></section>
<section identifier="/us/bill/116/hr/264/tV/s524" id="HED0B6DB396134DB79CBB98FA9CE5996A"><num value="524"><inline class="smallCaps">Sec. 524. </inline></num><content class="inline">From funds made available under the heading Federal Buildings Fund, Limitations on Availability of Revenue, claims against the Government of less than $250,000 arising from direct construction projects and acquisition of buildings may be liquidated from savings effected in other construction projects with prior notification to the Committees on Appropriations of the House of Representatives and the Senate.</content></section>
<section identifier="/us/bill/116/hr/264/tV/s525" id="H940471A678144A75BEA5F59AD9E847E4"><num value="525"><inline class="smallCaps">Sec. 525. </inline></num><content class="inline">In any case in which the Committee on Transportation and Infrastructure of the House of Representatives and the Committee on Environment and Public Works of the Senate adopt a resolution granting lease authority pursuant to a prospectus transmitted to Congress by the Administrator of the General Services Administration under <ref href="/us/usc/t40/s3307">40 U.S.C. 3307</ref>, the Administrator shall ensure that the delineated area of procurement is identical to the delineated area included in the prospectus for all lease agreements, except that, if the Administrator determines that the delineated area of the procurement should not be identical to the delineated area included in the prospectus, the Administrator shall provide an explanatory statement to each of such committees and the Committees on Appropriations of the House of Representatives and the Senate prior to exercising any lease authority provided in the resolution.</content></section>
<section identifier="/us/bill/116/hr/264/tV/s526" id="HECAC0A02042D4C308A9B4DDD0ECC9568"><num value="526"><inline class="smallCaps">Sec. 526. </inline></num><chapeau class="inline">With respect to each project funded under the heading “<headingText>Major Repairs and Alterations</headingText>” or “Judiciary Capital Security Program”, and with respect to EGovernment projects funded under the heading “<headingText>Federal Citizen Services Fund</headingText>”, the Administrator of General Services shall submit a spending plan and explanation for each project to be undertaken to the Committees on Appropriations of the House of Representatives and the Senate not later than 60 days after the date of enactment of this Act.</chapeau>
<appropriations level="intermediate" id="HC2C07D04D5AF46DDBCD337F44C10F80B"><heading>Harry S Truman Scholarship Foundation</heading></appropriations>
<appropriations level="small" id="H1BE7394E9A7B463BA50841F6085EC7F6"><heading><inline class="smallCaps">salaries and expenses</inline></heading><content class="block">For payment to the Harry S Truman Scholarship Foundation Trust Fund, established by <ref href="/us/pl/93/642/s10">section 10 of Public Law 93642</ref>, $1,000,000, to remain available until expended.</content></appropriations>
<appropriations level="intermediate" id="HB24681F74A334E69BB05D4736011B50E"><heading>Merit Systems Protection Board</heading></appropriations>
<appropriations level="small" id="HD4A9A7F81ED448FFBE6D9CB4F3C0BEB3"><heading><inline class="smallCaps">salaries and expenses</inline></heading></appropriations>
<appropriations level="small" id="H062F768E6139435E8CEDAC1CB4ADADD5"><heading><inline class="smallCaps">(including transfer of funds)</inline></heading><content class="block">For necessary expenses to carry out functions of the Merit Systems Protection Board pursuant to Reorganization Plan Numbered 2 of 1978, the Civil Service Reform Act of 1978, and the Whistleblower Protection Act of 1989 (<ref href="/us/usc/t5/s5509">5 U.S.C. 5509 note</ref>), including services as authorized by <ref href="/us/usc/t5/s3109">5 U.S.C. 3109</ref>, rental of conference rooms in the District of Columbia and elsewhere, hire of passenger motor vehicles, direct procurement of survey printing, and not to exceed $2,000 for official reception and representation expenses, $44,490,000, to remain available until September 30, 2020, and in addition not to exceed $2,345,000, to remain available until September 30, 2020, for administrative expenses to adjudicate retirement appeals to be transferred from the Civil Service Retirement and Disability Fund in amounts determined by the Merit Systems Protection Board.</content></appropriations>
<appropriations level="intermediate" id="H14DAC56B5459492F85A509D3AD58F5F3"><heading>Morris K. Udall and Stewart L. Udall Foundation</heading></appropriations>
<appropriations level="small" id="HC3A51BCE2BD34080A447BEECB1AB3776"><heading><inline class="smallCaps">morris k. udall and stewart l. udall trust fund</inline></heading></appropriations>
<appropriations level="small" id="H09593F4A8F8147FD91EC083CA05084C5"><heading><inline class="smallCaps">(including transfer of funds)</inline></heading></appropriations>
<appropriations level="small" id="HD701E3C2686F416BA8F90F8716919A17"><content class="block">For payment to the Morris K. Udall and Stewart L. Udall Trust Fund, pursuant to the Morris K. Udall and Stewart L. Udall Foundation Act (<ref href="/us/usc/t20/s5601/etseq">20 U.S.C. 5601 et seq.</ref>), $1,875,000, to remain available until expended, of which, notwithstanding sections 8 and 9 of such Act: (1) up to $50,000 shall be used to conduct financial audits pursuant to the Accountability of Tax Dollars Act of 2002 (<ref href="/us/pl/107/289">Public Law 107289</ref>); and (2) up to $1,000,000 shall be available to carry out the activities authorized by <ref href="/us/pl/102/259/s6/7">section 6(7) of Public Law 102259</ref> and <ref href="/us/pl/106/568/s817/a">section 817(a) of Public Law 106568</ref> (<ref href="/us/usc/t20/s5604/7">20 U.S.C. 5604(7)</ref>): <proviso><i> Provided</i>, That of the total amount made available under this heading $200,000 shall be transferred to the Office of Inspector General of the Department of the Interior, to remain available until expended, for audits and investigations of the Morris K. Udall and Stewart L. Udall Foundation, consistent with the Inspector General Act of 1978 (<ref href="/us/usc/t5/app">5 U.S.C. App.</ref>).</proviso></content></appropriations>
<appropriations level="small" id="H32A7118C1E7D4C8EB15D5E8FE96AF7FC"><heading><inline class="smallCaps">environmental dispute resolution fund</inline></heading><content class="block">For payment to the Environmental Dispute Resolution Fund to carry out activities authorized in the Environmental Policy and Conflict Resolution Act of 1998, $3,200,000, to remain available until expended.</content></appropriations>
<appropriations level="intermediate" id="H47E059E594644A619FD1626CE049E414"><heading>National Archives and Records Administration</heading></appropriations>
<appropriations level="small" id="HBC5F3BFC0DB245708D66BA1AB2386A30"><heading><inline class="smallCaps">operating expenses</inline></heading><content class="block">For necessary expenses in connection with the administration of the National Archives and Records Administration and archived Federal records and related activities, as provided by law, and for expenses necessary for the review and declassification of documents, the activities of the Public Interest Declassification Board, the operations and maintenance of the electronic records archives, the hire of passenger motor vehicles, and for uniforms or allowances therefor, as authorized by law (<ref href="/us/usc/t5/s5901">5 U.S.C. 5901</ref>), including maintenance, repairs, and cleaning, $375,105,000.</content></appropriations>
<appropriations level="small" id="HD106434D30EE4D7C92C139FB6132157C"><heading><inline class="smallCaps">office of inspector general</inline></heading><content class="block">For necessary expenses of the Office of Inspector General in carrying out the provisions of the Inspector General Reform Act of 2008, <ref href="/us/pl/110/409">Public Law 110409</ref>, <ref href="/us/stat/122/4302">122 Stat. 4302</ref>16 (2008), and the Inspector General Act of 1978 (<ref href="/us/usc/t5/app">5 U.S.C. App.</ref>), and for the hire of passenger motor vehicles, $4,801,000.</content></appropriations>
<appropriations level="small" id="HDEC3523139F64A388896158CEB1D092C"><heading><inline class="smallCaps">repairs and restoration</inline></heading><content class="block">For the repair, alteration, and improvement of archives facilities, and to provide adequate storage for holdings, $7,500,000, to remain available until expended.</content></appropriations>
<appropriations level="small" id="HC11FBF3BF3FB4EC983A87DAA5A31A661"><heading><inline class="smallCaps"> national historical publications and records commission</inline></heading></appropriations>
<appropriations level="small" id="H708D24EE867D462FB902DF1FE06A013F"><heading><inline class="smallCaps">grants program</inline></heading><content class="block">For necessary expenses for allocations and grants for historical publications and records as authorized by <ref href="/us/usc/t44/s2504">44 U.S.C. 2504</ref>, $6,000,000, to remain available until expended.</content></appropriations>
<appropriations level="intermediate" id="HFE6F96FEB6184748BAA67B2727D6BE78"><heading>National Credit Union Administration</heading></appropriations>
<appropriations level="small" id="H99CF0BFF5B4F4012A5FDFE7D96952AEE"><heading><inline class="smallCaps">community development revolving loan fund</inline></heading><content class="block">For the Community Development Revolving Loan Fund program as authorized by <ref href="/us/usc/t42/s9812">42 U.S.C. 9812</ref>, 9822 and 9910, $2,000,000 shall be available until September 30, 2020, for technical assistance to low-income designated credit unions.</content></appropriations>
<appropriations level="intermediate" id="H48854B6D60404B24ACCEEDF1B08050B1"><heading>Office of Government Ethics</heading></appropriations>
<appropriations level="small" id="H090602EFA7E7474EBFE32C8F2817F339"><heading><inline class="smallCaps">salaries and expenses</inline></heading><content class="block">For necessary expenses to carry out functions of the Office of Government Ethics pursuant to the Ethics in Government Act of 1978, the Ethics Reform Act of 1989, and the Stop Trading on Congressional Knowledge Act of 2012, including services as authorized by <ref href="/us/usc/t5/s3109">5 U.S.C. 3109</ref>, rental of conference rooms in the District of Columbia and elsewhere, hire of passenger motor vehicles, and not to exceed $1,500 for official reception and representation expenses, $16,439,000.</content></appropriations>
<appropriations level="intermediate" id="H20AB5F46D1EE40ECBC2885B01E39F3FF"><heading>Office of Personnel Management</heading></appropriations>
<appropriations level="small" id="HAE910D3411194B1A95FD216F792A3D7D"><heading><inline class="smallCaps">salaries and expenses</inline></heading></appropriations>
<appropriations level="small" id="HECAFC98A1E73434797A02CB4267EE240"><heading><inline class="smallCaps">(including transfer of trust funds)</inline></heading><content class="block">For necessary expenses to carry out functions of the Office of Personnel Management (OPM) pursuant to Reorganization Plan Numbered 2 of 1978 and the Civil Service Reform Act of 1978, including services as authorized by <ref href="/us/usc/t5/s3109">5 U.S.C. 3109</ref>; medical examinations performed for veterans by private physicians on a fee basis; rental of conference rooms in the District of Columbia and elsewhere; hire of passenger motor vehicles; not to exceed $2,500 for official reception and representation expenses; advances for reimbursements to applicable funds of OPM and the Federal Bureau of Investigation for expenses incurred under Executive Order No. 10422 of January 9, 1953, as amended; and payment of per diem and/or subsistence allowances to employees where Voting Rights Act activities require an employee to remain overnight at his or her post of duty, $132,172,000: <proviso><i> Provided</i>, That of the total amount made available under this heading, not to exceed $14,000,000 shall remain available until September 30, 2020, for information technology infrastructure modernization and Trust Fund Federal Financial System migration or modernization, and shall be in addition to funds otherwise made available for such purposes: </proviso><proviso><i> Provided further</i>, That of the total amount made available under this heading, $639,018 may be made available for strengthening the capacity and capabilities of the acquisition workforce (as defined by the Office of Federal Procurement Policy Act, as amended (<ref href="/us/usc/t41/s4001/etseq">41 U.S.C. 4001 et seq.</ref>)), including the recruitment, hiring, training, and retention of such workforce and information technology in support of acquisition workforce effectiveness or for management solutions to improve acquisition management; and in addition $133,483,000 for administrative expenses, to be transferred from the appropriate trust funds of OPM without regard to other statutes, including direct procurement of printed materials, for the retirement and insurance programs: </proviso><proviso><i> Provided further</i>, That the provisions of this appropriation shall not affect the authority to use applicable trust funds as provided by sections 8348(a)(1)(B), 8958(f)(2)(A), 8988(f)(2)(A), and 9004(f)(2)(A) of <ref href="/us/usc/t5">title 5, United States Code</ref>: </proviso><proviso><i> Provided further</i>, That no part of this appropriation shall be available for salaries and expenses of the Legal Examining Unit of OPM established pursuant to Executive Order No. 9358 of July 1, 1943, or any successor unit of like purpose: </proviso><proviso><i> Provided further</i>, That the Presidents Commission on White House Fellows, established by Executive Order No. 11183 of October 3, 1964, may, during fiscal year 2019, accept donations of money, property, and personal services: </proviso><proviso><i> Provided further</i>, That such donations, including those from prior years, may be used for the development of publicity materials to provide information about the White House Fellows, except that no such donations shall be accepted for travel or reimbursement of travel expenses, or for the salaries of employees of such Commission.</proviso></content></appropriations>
<appropriations level="small" id="HBCA75B3C004A4ACEAC237861E8886351"><heading><inline class="smallCaps">office of inspector general</inline></heading></appropriations>
<appropriations level="small" id="H219B8218E50641A4B16C44AA4E343A05"><heading><inline class="smallCaps">salaries and expenses</inline></heading></appropriations>
<appropriations level="small" id="HCFB3ACEA87A849469F5CEB80AA21BA13"><heading><inline class="smallCaps">(including transfer of trust funds)</inline></heading><content class="block">For necessary expenses of the Office of Inspector General in carrying out the provisions of the Inspector General Act of 1978, including services as authorized by <ref href="/us/usc/t5/s3109">5 U.S.C. 3109</ref>, hire of passenger motor vehicles, $5,000,000, and in addition, not to exceed $25,265,000 for administrative expenses to audit, investigate, and provide other oversight of the Office of Personnel Managements retirement and insurance programs, to be transferred from the appropriate trust funds of the Office of Personnel Management, as determined by the Inspector General: <proviso><i> Provided</i>, That the Inspector General is authorized to rent conference rooms in the District of Columbia and elsewhere.</proviso></content></appropriations>
<appropriations level="intermediate" id="HE66907B2A4A446C6AEECC808FD4D9762"><heading>Office of Special Counsel</heading></appropriations>
<appropriations level="small" id="H48F0EB5E139E48E495215005742E9C4F"><heading><inline class="smallCaps">salaries and expenses</inline></heading><content class="block">For necessary expenses to carry out functions of the Office of Special Counsel pursuant to Reorganization Plan Numbered 2 of 1978, the Civil Service Reform Act of 1978 (<ref href="/us/pl/95/454">Public Law 95454</ref>), the Whistleblower Protection Act of 1989 (<ref href="/us/pl/101/12">Public Law 10112</ref>) as amended by <ref href="/us/pl/107/304">Public Law 107304</ref>, the Whistleblower Protection Enhancement Act of 2012 (<ref href="/us/pl/112/199">Public Law 112199</ref>), and the Uniformed Services Employment and Reemployment Rights Act of 1994 (<ref href="/us/pl/103/353">Public Law 103353</ref>), including services as authorized by <ref href="/us/usc/t5/s3109">5 U.S.C. 3109</ref>, payment of fees and expenses for witnesses, rental of conference rooms in the District of Columbia and elsewhere, and hire of passenger motor vehicles; $26,535,000.</content></appropriations>
<appropriations level="intermediate" id="H812A9236AEAC4399A5EBD558DC4366DB"><heading>Postal Regulatory Commission</heading></appropriations>
<appropriations level="small" id="H4CA0FBBEA06440A98FE82BE5BB399D7F"><heading><inline class="smallCaps">salaries and expenses</inline></heading></appropriations>
<appropriations level="small" id="H3DB4ACA0F65D4225959C54DBE323DA5A"><heading><inline class="smallCaps">(including transfer of funds)</inline></heading><content class="block">For necessary expenses of the Postal Regulatory Commission in carrying out the provisions of the Postal Accountability and Enhancement Act (<ref href="/us/pl/109/435">Public Law 109435</ref>), $15,200,000, to be derived by transfer from the Postal Service Fund and expended as authorized by section 603(a) of such Act.</content></appropriations>
<appropriations level="intermediate" id="H5A23BDD6B5F54AEA87FA936CA3FD0C00"><heading>Privacy and Civil Liberties Oversight Board</heading></appropriations>
<appropriations level="small" id="HE7444223DFED464091BF7F16A368D62E"><heading><inline class="smallCaps">salaries and expenses</inline></heading><content class="block">For necessary expenses of the Privacy and Civil Liberties Oversight Board, as authorized by section 1061 of the Intelligence Reform and Terrorism Prevention Act of 2004 (<ref href="/us/usc/t42/s2000ee">42 U.S.C. 2000ee</ref>), $5,000,000, to remain available until September 30, 2020.</content></appropriations>
<appropriations level="intermediate" id="HAEFF624F80474AD6B334A7C4578C17AB"><heading>Securities and Exchange Commission</heading></appropriations>
<appropriations level="small" id="HEE98522120D145EAB801DAA93BF72D27"><heading><inline class="smallCaps">salaries and expenses</inline></heading><content>
<p>For necessary expenses for the Securities and Exchange Commission, including services as authorized by <ref href="/us/usc/t5/s3109">5 U.S.C. 3109</ref>, the rental of space (to include multiple year leases) in the District of Columbia and elsewhere, and not to exceed $3,500 for official reception and representation expenses, $1,658,302,000, to remain available until expended; of which not less than $15,206,269 shall be for the Office of Inspector General; of which not to exceed $75,000 shall be available for a permanent secretariat for the International Organization of Securities Commissions; and of which not to exceed $100,000 shall be available for expenses for consultations and meetings hosted by the Commission with foreign governmental and other regulatory officials, members of their delegations and staffs to exchange views concerning securities matters, such expenses to include necessary logistic and administrative expenses and the expenses of Commission staff and foreign invitees in attendance including: (1) incidental expenses such as meals; (2) travel and transportation; and (3) related lodging or subsistence; and of which not less than $75,081,000 shall be for the Division of Economic and Risk Analysis.</p>
<p>In addition to the foregoing appropriation, for costs associated with relocation under a replacement lease for the Commissions New York regional office facilities, not to exceed $37,188,942, to remain available until expended: <proviso><i> Provided</i>, That for purposes of calculating the fee rate under section 31(j) of the Securities Exchange Act of 1934 (<ref href="/us/usc/t15/s78ee/j">15 U.S.C. 78ee(j)</ref>) for fiscal year 2019, all amounts appropriated under this heading shall be deemed to be the regular appropriation to the Commission for fiscal year 2019: </proviso><proviso><i> Provided further</i>, That fees and charges authorized by section 31 of the Securities Exchange Act of 1934 (<ref href="/us/usc/t15/s78ee">15 U.S.C. 78ee</ref>) shall be credited to this account as offsetting collections: </proviso><proviso><i> Provided further</i>, That not to exceed $1,658,302,000 of such offsetting collections shall be available until expended for necessary expenses of this account and not to exceed $37,188,942 of such offsetting collections shall be available until expended for costs under this heading associated with relocation under a replacement lease for the Commissions New York regional office facilities: </proviso><proviso><i> Provided further</i>, That the total amount appropriated under this heading from the general fund for fiscal year 2019 shall be reduced as such offsetting fees are received so as to result in a final total fiscal year 2019 appropriation from the general fund estimated at not more than $0: </proviso><proviso><i> Provided further</i>, That if any amount of the appropriation for costs associated with relocation under a replacement lease for the Commissions New York regional office facilities is subsequently de-obligated by the Commission, such amount that was derived from the general fund shall be returned to the general fund, and such amounts that were derived from fees or assessments collected for such purpose shall be paid to each national securities exchange and national securities association, respectively, in proportion to any fees or assessments paid by such national securities exchange or national securities association under section 31 of the Securities Exchange Act of 1934 (<ref href="/us/usc/t15/s78ee">15 U.S.C. 78ee</ref>) in fiscal year 2019.</proviso></p></content></appropriations>
<appropriations level="intermediate" changed="added" id="HA9018348621F4B509FAC573ABB0673D7"><heading>Selective Service System</heading></appropriations>
<appropriations level="small" changed="added" id="HADE73DADBBD74773ADA1F5DCC5BF533A"><heading><inline class="smallCaps">salaries and expenses</inline></heading><content class="block">For necessary expenses of the Selective Service System, including expenses of attendance at meetings and of training for uniformed personnel assigned to the Selective Service System, as authorized by <ref href="/us/usc/t5/s41014118">5 U.S.C. 41014118</ref> for civilian employees; hire of passenger motor vehicles; services as authorized by <ref href="/us/usc/t5/s3109">5 U.S.C. 3109</ref>; and not to exceed $750 for official reception and representation expenses; $26,000,000: <proviso><i> Provided</i>, That during the current fiscal year, the President may exempt this appropriation from the provisions of <ref href="/us/usc/t31/s1341">31 U.S.C. 1341</ref>, whenever the President deems such action to be necessary in the interest of national defense: </proviso><proviso><i> Provided further</i>, That none of the funds appropriated by this Act may be expended for or in connection with the induction of any person into the Armed Forces of the United States.</proviso></content></appropriations>
<appropriations level="intermediate" changed="added" id="H32122FE3EF0C4026B63DA722081F5175"><heading>Small Business Administration</heading></appropriations>
<appropriations level="small" id="H0B398BBAAE144AEFA8FD4A1118D15547"><heading><inline class="smallCaps">salaries and expenses</inline></heading><content class="block">For necessary expenses, not otherwise provided for, of the Small Business Administration, including hire of passenger motor vehicles as authorized by sections 1343 and 1344 of <ref href="/us/usc/t31">title 31, United States Code</ref>, and not to exceed $3,500 for official reception and representation expenses, $267,500,000, of which not less than $12,000,000 shall be available for examinations, reviews, and other lender oversight activities: <proviso><i> Provided</i>, That the Administrator is authorized to charge fees to cover the cost of publications developed by the Small Business Administration, and certain loan program activities, including fees authorized by section 5(b) of the Small Business Act: </proviso><proviso><i> Provided further</i>, That, notwithstanding <ref href="/us/usc/t31/s3302">31 U.S.C. 3302</ref>, revenues received from all such activities shall be credited to this account, to remain available until expended, for carrying out these purposes without further appropriations: </proviso><proviso><i> Provided further,</i> That the Small Business Administration may accept gifts in an amount not to exceed $4,000,000 and may co-sponsor activities, each in accordance with <ref href="/us/pl/108/447/dK/s132/a">section 132(a) of division K of Public Law 108447</ref>, during fiscal year 2019: </proviso><proviso><i> Provided further,</i> That $6,100,000 shall be available for the Loan Modernization and Accounting System, to be available until September 30, 2020: </proviso><proviso><i> Provided further</i>, That $3,000,000 shall be for the Federal and State Technology Partnership Program under section 34 of the Small Business Act (<ref href="/us/usc/t15/s657d">15 U.S.C. 657d</ref>).</proviso></content></appropriations>
<appropriations level="small" id="HD78F315F62854700B8FC62A6A7968A83"><heading><inline class="smallCaps">entrepreneurial development programs</inline></heading><content class="block">For necessary expenses of programs supporting entrepreneurial and small business development, $241,600,000, to remain available until September 30, 2020: <proviso><i> Provided</i>, That $130,000,000 shall be available to fund grants for performance in fiscal year 2019 or fiscal year 2020 as authorized by section 21 of the Small Business Act: </proviso><proviso><i> Provided further</i>, That $31,000,000 shall be for marketing, management, and technical assistance under section 7(m) of the Small Business Act (<ref href="/us/usc/t15/s636/m/4">15 U.S.C. 636(m)(4)</ref>) by intermediaries that make microloans under the microloan program: </proviso><proviso><i> Provided further</i>, That $18,000,000 shall be available for grants to States to carry out export programs that assist small business concerns authorized under section 22(l) of the Small Business Act (<ref href="/us/usc/t15/s649/l">15 U.S.C. 649(l)</ref>).</proviso></content></appropriations>
<appropriations level="small" id="H9F687422B78C46838C998460AD180CDE"><heading><inline class="smallCaps">office of inspector general</inline></heading><content class="block">For necessary expenses of the Office of Inspector General in carrying out the provisions of the Inspector General Act of 1978, $21,900,000.</content></appropriations>
<appropriations level="small" id="HBF75C7CEC14546EA8D7CFBAF5344E2B7"><heading><inline class="smallCaps">office of advocacy</inline></heading><content class="block">For necessary expenses of the Office of Advocacy in carrying out the provisions of <ref href="/us/pl/94/305/tII">title II of Public Law 94305</ref> (<ref href="/us/usc/t15/s634a/etseq">15 U.S.C. 634a et seq.</ref>) and the Regulatory Flexibility Act of 1980 (<ref href="/us/usc/t5/s601/etseq">5 U.S.C. 601 et seq.</ref>), $9,120,000, to remain available until expended.</content></appropriations>
<appropriations level="small" id="H308EB13818A640A3A8BF55CF87E63B4B"><heading><inline class="smallCaps">business loans program account</inline></heading></appropriations>
<appropriations level="small" id="H6C1CAE78588348B88CCF541B0CAA3002"><heading><inline class="smallCaps">(including transfer of funds)</inline></heading><content class="block">For the cost of direct loans, $4,000,000, to remain available until expended: <proviso><i> Provided</i>, That such costs, including the cost of modifying such loans, shall be as defined in section 502 of the Congressional Budget Act of 1974: </proviso><proviso><i> Provided further</i>, That subject to section 502 of the Congressional Budget Act of 1974, during fiscal year 2019 commitments to guarantee loans under section 503 of the Small Business Investment Act of 1958 shall not exceed $7,500,000,000: </proviso><proviso><i> Provided further</i>, That during fiscal year 2019 commitments for general business loans authorized under section 7(a) of the Small Business Act shall not exceed $30,000,000,000 for a combination of amortizing term loans and the aggregated maximum line of credit provided by revolving loans: </proviso><proviso><i> Provided further</i>, That during fiscal year 2019 commitments for loans authorized under subparagraph (C) of section 502(7) of The Small Business Investment Act of 1958 (<ref href="/us/usc/t15/s696/7">15 U.S.C. 696(7)</ref>) shall not exceed $7,500,000,000: </proviso><proviso><i> Provided further</i>, That during fiscal year 2019 commitments to guarantee loans for debentures under section 303(b) of the Small Business Investment Act of 1958 shall not exceed $4,000,000,000: </proviso><proviso><i> Provided further</i>, That during fiscal year 2019, guarantees of trust certificates authorized by section 5(g) of the Small Business Act shall not exceed a principal amount of $12,000,000,000. In addition, for administrative expenses to carry out the direct and guaranteed loan programs, $155,150,000, which may be transferred to and merged with the appropriations for Salaries and Expenses.</proviso></content></appropriations>
<appropriations level="small" id="H0A8DFA9B577047E4A7DD803FA449C0DC"><heading><inline class="smallCaps">administrative provisions—small business administration</inline></heading></appropriations>
<appropriations level="small" id="H4BC3FEB33D41495AB91C0E1EEB44778F"><heading><inline class="smallCaps">(including transfer of funds)</inline></heading></appropriations></section>
<section identifier="/us/bill/116/hr/264/tV/s530" id="HC0DA487753FF4F348A881C57A705EB8C"><num value="530"><inline class="smallCaps">Sec. 530. </inline></num><content class="inline">Not to exceed 5 percent of any appropriation made available for the current fiscal year for the Small Business Administration in this Act may be transferred between such appropriations, but no such appropriation shall be increased by more than 10 percent by any such transfers: <proviso><i> Provided</i>, That any transfer pursuant to this paragraph shall be treated as a reprogramming of funds under section 608 of this Act and shall not be available for obligation or expenditure except in compliance with the procedures set forth in that section.</proviso></content></section>
<section identifier="/us/bill/116/hr/264/tV/s531" id="HAFF5CC9A159E4C9FBAB53E76858D2C7C" changed="added"><num value="531"><inline class="smallCaps">Sec. 531. </inline></num><chapeau class="inline">None of the funds made available to the Small Business Administration in this Act may be provided to a company—</chapeau>
<paragraph identifier="/us/bill/116/hr/264/tV/s531/1" id="H86F8598951134BDAAEC469426542DF1A" class="indent1"><num value="1">(1) </num><content>that is headquarted in the Peoples Republic of China; or</content></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tV/s531/2" id="H32D8E934A5EF4767B820386809B150F4" class="indent1"><num value="2">(2) </num><content>for which more than 25 percent of the voting stock of the company is owned by affiliates that are citizens of the Peoples Republic of China.</content></paragraph></section>
<section identifier="/us/bill/116/hr/264/tV/s532" id="H3F781D4A6C0E4452A3D03F73B7F354F4"><num value="532"><inline class="smallCaps">Sec. 532. </inline></num><content class="inline">Not later than 180 days after the date of enactment of this Act, the Small Business Administration shall conduct a study on whether the provision of matchmaking services that, using data collected through outside entities such as local chambers of commerce, link veteran entrepreneurs to business leads in given industry sectors or geographic regions, would enhance the existing veterans entrepreneurship programs of the Administration.</content></section>
<section identifier="/us/bill/116/hr/264/tV/s533" id="H4009373BAA9C4508852369F67F1F114F" changed="added"><num value="533"><inline class="smallCaps">Sec. 533. </inline></num><chapeau class="inline">The Administrator of the Small Business Administration shall—</chapeau>
<paragraph identifier="/us/bill/116/hr/264/tV/s533/1" id="HE9D06E5879274D25AA0B86A923E7B5C3" class="indent1"><num value="1">(1) </num><content>work with Federal agencies to review each Office of Small and Disadvantaged Business Utilizations efforts to comply with the requirements under section 15(k) of the Small Business Act (<ref href="/us/usc/t15/s644/k">15 U.S.C. 644(k)</ref>); and</content></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tV/s533/2" id="H9057C189AEA5404BB439F56A53A03B51" class="indent1"><num value="2">(2) </num><chapeau>not later than 180 days after the date of enactment of this Act, submit to the Committee on Small Business and Entrepreneurship and the Committee on Appropriations of the Senate and the Committee on Small Business and the Committee on Appropriations of the House of Representatives—</chapeau>
<subparagraph identifier="/us/bill/116/hr/264/tV/s533/2/A" id="HFA8DB0A17C5E4E4EBE8BC1730ABFFAF3" class="indent2"><num value="A">(A) </num><content>a report on Federal agency compliance with the requirements under such section 15(k); and</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/264/tV/s533/2/B" id="H3783488C6FCE4F908FA34AD57CE23B9E" class="indent2"><num value="B">(B) </num><content>a report detailing the status of issuance by the Small Business Administration of detailed guidance for the peer review process of the Small Business Procurement Advisory Council in order to facilitate a more in depth review of Federal agency compliance with the requirements under such section 15(k).</content></subparagraph></paragraph></section>
<appropriations level="intermediate" id="H3629BA272E924630BB5FD2ED38B8AA34"><heading>United States Postal Service</heading></appropriations>
<appropriations level="small" id="H59A81F3DBAF34587AB777FDCEBB63DDD"><heading><inline class="smallCaps">payment to the postal service fund</inline></heading><content class="block">For payment to the Postal Service Fund for revenue forgone on free and reduced rate mail, pursuant to subsections (c) and (d) of <ref href="/us/usc/t39/s2401">section 2401 of title 39, United States Code</ref>, $55,235,000: <proviso><i> Provided</i>, That mail for overseas voting and mail for the blind shall continue to be free: </proviso><proviso><i> Provided further</i>, That 6-day delivery and rural delivery of mail shall continue at not less than the 1983 level: </proviso><proviso><i> Provided further</i>, That none of the funds made available to the Postal Service by this Act shall be used to implement any rule, regulation, or policy of charging any officer or employee of any State or local child support enforcement agency, or any individual participating in a State or local program of child support enforcement, a fee for information requested or provided concerning an address of a postal customer: </proviso><proviso><i> Provided further</i>, That none of the funds provided in this Act shall be used to consolidate or close small rural and other small post offices.</proviso></content></appropriations>
<appropriations level="small" id="H4E4F1F89589147F89BA4C54D82731FD0"><heading><inline class="smallCaps">office of inspector general</inline></heading></appropriations>
<appropriations level="small" id="H5E90E412F405410298EF4514929E9903"><heading><inline class="smallCaps">salaries and expenses</inline></heading></appropriations>
<appropriations level="small" id="H022EA984CA6B403CA5E4071D803B5F05"><heading><inline class="smallCaps">(including transfer of funds)</inline></heading><content class="block">For necessary expenses of the Office of Inspector General in carrying out the provisions of the Inspector General Act of 1978, $250,000,000, to be derived by transfer from the Postal Service Fund and expended as authorized by section 603(b)(3) of the Postal Accountability and Enhancement Act (<ref href="/us/pl/109/435">Public Law 109435</ref>).</content></appropriations>
<appropriations level="intermediate" id="H23D39A63491142CDBDFD5FF575E0FD95"><heading>United States Tax Court</heading></appropriations>
<appropriations level="small" id="HC478D67816814A88BC5447222BB193A6"><heading><inline class="smallCaps">salaries and expenses</inline></heading><content class="block">For necessary expenses, including contract reporting and other services as authorized by <ref href="/us/usc/t5/s3109">5 U.S.C. 3109</ref>, $51,515,000, of which $1,000,000 shall remain available until expended: <proviso><i> Provided</i>, That travel expenses of the judges shall be paid upon the written certificate of the judge.</proviso></content></appropriations></title>
<title identifier="/us/bill/116/hr/264/tVI" id="H8171AAA28A0B4DFFA33D5A98F0B438EA" changed="added" styleType="appropriations"><num value="VI">TITLE VI</num><heading class="block">GENERAL PROVISIONS—THIS ACT</heading>
<section identifier="/us/bill/116/hr/264/tVI/s601" id="HE891AFA40ED645C1AF8C73C7746ADF0B"><num value="601"><inline class="smallCaps">Sec. 601. </inline></num><content class="inline">None of the funds in this Act shall be used for the planning or execution of any program to pay the expenses of, or otherwise compensate, non-Federal parties intervening in regulatory or adjudicatory proceedings funded in this Act.</content></section>
<section identifier="/us/bill/116/hr/264/tVI/s602" id="H16F99DBC8DAB4055993779299F95E2CB"><num value="602"><inline class="smallCaps">Sec. 602. </inline></num><content class="inline">None of the funds appropriated in this Act shall remain available for obligation beyond the current fiscal year, nor may any be transferred to other appropriations, unless expressly so provided herein.</content></section>
<section identifier="/us/bill/116/hr/264/tVI/s603" id="HDFEB6207A46B41569F55E1F076C58F8C"><num value="603"><inline class="smallCaps">Sec. 603. </inline></num><content class="inline">The expenditure of any appropriation under this Act for any consulting service through procurement contract pursuant to <ref href="/us/usc/t5/s3109">5 U.S.C. 3109</ref>, shall be limited to those contracts where such expenditures are a matter of public record and available for public inspection, except where otherwise provided under existing law, or under existing Executive order issued pursuant to existing law.</content></section>
<section identifier="/us/bill/116/hr/264/tVI/s604" id="HB5F2E85BD5FE4677BE15207D0444D49C"><num value="604"><inline class="smallCaps">Sec. 604. </inline></num><content class="inline">None of the funds made available in this Act may be transferred to any department, agency, or instrumentality of the United States Government, except pursuant to a transfer made by, or transfer authority provided in, this Act or any other appropriations Act.</content></section>
<section identifier="/us/bill/116/hr/264/tVI/s605" id="HCFD33A9C6EEE4803BFA25CF1CDB1FBA5"><num value="605"><inline class="smallCaps">Sec. 605. </inline></num><content class="inline">None of the funds made available by this Act shall be available for any activity or for paying the salary of any Government employee where funding an activity or paying a salary to a Government employee would result in a decision, determination, rule, regulation, or policy that would prohibit the enforcement of section 307 of the Tariff Act of 1930 (<ref href="/us/usc/t19/s1307">19 U.S.C. 1307</ref>).</content></section>
<section identifier="/us/bill/116/hr/264/tVI/s606" id="H7447138EB7EE4F2DB3BD0B3AF8E7BE7B"><num value="606"><inline class="smallCaps">Sec. 606. </inline></num><content class="inline">No funds appropriated pursuant to this Act may be expended by an entity unless the entity agrees that in expending the assistance the entity will comply with <ref href="/us/usc/t41/ch83">chapter 83 of title 41, United States Code</ref>.</content></section>
<section identifier="/us/bill/116/hr/264/tVI/s607" id="H0D38494EDB6F4060BABC8EFF876FCD99"><num value="607"><inline class="smallCaps">Sec. 607. </inline></num><content class="inline">No funds appropriated or otherwise made available under this Act shall be made available to any person or entity that has been convicted of violating <ref href="/us/usc/t41/ch83">chapter 83 of title 41, United States Code</ref>.</content></section>
<section identifier="/us/bill/116/hr/264/tVI/s608" id="H756DECEC0417465F81F6D03594C76CB4"><num value="608"><inline class="smallCaps">Sec. 608. </inline></num><content class="inline">Except as otherwise provided in this Act, none of the funds provided in this Act, provided by previous appropriations Acts to the agencies or entities funded in this Act that remain available for obligation or expenditure in fiscal year 2019, or provided from any accounts in the Treasury derived by the collection of fees and available to the agencies funded by this Act, shall be available for obligation or expenditure through a reprogramming of funds that: (1) creates a new program; (2) eliminates a program, project, or activity; (3) increases funds or personnel for any program, project, or activity for which funds have been denied or restricted by the Congress; (4) proposes to use funds directed for a specific activity by the Committee on Appropriations of either the House of Representatives or the Senate for a different purpose; (5) augments existing programs, projects, or activities in excess of $5,000,000 or 10 percent, whichever is less; (6) reduces existing programs, projects, or activities by $5,000,000 or 10 percent, whichever is less; or (7) creates or reorganizes offices, programs, or activities unless prior approval is received from the Committees on Appropriations of the House of Representatives and the Senate: <proviso><i> Provided</i>, That prior to any significant reorganization or restructuring of offices, programs, or activities, each agency or entity funded in this Act shall consult with the Committees on Appropriations of the House of Representatives and the Senate: </proviso><proviso><i> Provided further</i>, That not later than 60 days after the date of enactment of this Act, each agency funded by this Act shall submit a report to the Committees on Appropriations of the House of Representatives and the Senate to establish the baseline for application of reprogramming and transfer authorities for the current fiscal year: </proviso><proviso><i> Provided further</i>, That at a minimum the report shall include: (1) a table for each appropriation with a separate column to display the Presidents budget request, adjustments made by Congress, adjustments due to enacted rescissions, if appropriate, and the fiscal year enacted level; (2) a delineation in the table for each appropriation both by object class and program, project, and activity as detailed in the budget appendix for the respective appropriation; and (3) an identification of items of special congressional interest: </proviso><proviso><i> Provided further</i>, That the amount appropriated or limited for salaries and expenses for an agency shall be reduced by $100,000 per day for each day after the required date that the report has not been submitted to the Congress.</proviso></content></section>
<section identifier="/us/bill/116/hr/264/tVI/s609" id="H9F972A2CCB264B02B3C5257098136401"><num value="609"><inline class="smallCaps">Sec. 609. </inline></num><content class="inline">Except as otherwise specifically provided by law, not to exceed 50 percent of unobligated balances remaining available at the end of fiscal year 2019 from appropriations made available for salaries and expenses for fiscal year 2019 in this Act, shall remain available through September 30, 2020, for each such account for the purposes authorized: <proviso><i> Provided</i>, That a request shall be submitted to the Committees on Appropriations of the House of Representatives and the Senate for approval prior to the expenditure of such funds: </proviso><proviso><i> Provided further,</i> That these requests shall be made in compliance with reprogramming guidelines.</proviso></content></section>
<section identifier="/us/bill/116/hr/264/tVI/s610" id="H7E1FF8FD31C84FDC8B38CF263C632FAC"><num value="610"><inline class="smallCaps">Sec. 610. </inline></num><subsection identifier="/us/bill/116/hr/264/tVI/s610/a" id="HEAD9068E9C9244559BD2BAA559AB8296" class="inline"><num value="a">(a) </num><chapeau>None of the funds made available in this Act may be used by the Executive Office of the President to request—</chapeau>
<paragraph identifier="/us/bill/116/hr/264/tVI/s610/a/1" id="H9D182B51325A4473AC93646BB89EC887" changed="added" class="indent1"><num value="1">(1) </num><content>any official background investigation report on any individual from the Federal Bureau of Investigation; or</content></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tVI/s610/a/2" id="H130C459977344D66A3B76BE3FB506993" changed="added" class="indent1"><num value="2">(2) </num><content>a determination with respect to the treatment of an organization as described in section 501(c) of the Internal Revenue Code of 1986 and exempt from taxation under section 501(a) of such Code from the Department of the Treasury or the Internal Revenue Service.</content></paragraph></subsection>
<subsection identifier="/us/bill/116/hr/264/tVI/s610/b" id="HA17BC643B493421EADF83A829C2EEC9E" changed="added" class="indent0"><num value="b">(b) </num><chapeau>Subsection (a) shall not apply—</chapeau>
<paragraph identifier="/us/bill/116/hr/264/tVI/s610/b/1" id="H06B16A7121D34BD68DA962253752F44F" class="indent1"><num value="1">(1) </num><content>in the case of an official background investigation report, if such individual has given express written consent for such request not more than 6 months prior to the date of such request and during the same presidential administration; or</content></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tVI/s610/b/2" id="HB4B8ECF4796841B9A69248D55856F861" class="indent1"><num value="2">(2) </num><content>if such request is required due to extraordinary circumstances involving national security.</content></paragraph></subsection></section>
<section identifier="/us/bill/116/hr/264/tVI/s611" id="HDBF5403B46DB4BC48B0A8944B65809DB"><num value="611"><inline class="smallCaps">Sec. 611. </inline></num><content class="inline">The cost accounting standards promulgated under <ref href="/us/usc/t41/ch15">chapter 15 of title 41, United States Code</ref> shall not apply with respect to a contract under the Federal Employees Health Benefits Program established under <ref href="/us/usc/t5/ch89">chapter 89 of title 5, United States Code</ref>.</content></section>
<section identifier="/us/bill/116/hr/264/tVI/s612" id="HEA98F36EBA7840DD845D6A09ED1EFD3B"><num value="612"><inline class="smallCaps">Sec. 612. </inline></num><content class="inline">For the purpose of resolving litigation and implementing any settlement agreements regarding the nonforeign area cost-of-living allowance program, the Office of Personnel Management may accept and utilize (without regard to any restriction on unanticipated travel expenses imposed in an Appropriations Act) funds made available to the Office of Personnel Management pursuant to court approval.</content></section>
<section identifier="/us/bill/116/hr/264/tVI/s613" id="HA8305251FB2348748490053BFE16AFB3"><num value="613"><inline class="smallCaps">Sec. 613. </inline></num><content class="inline">No funds appropriated by this Act shall be available to pay for an abortion, or the administrative expenses in connection with any health plan under the Federal employees health benefits program which provides any benefits or coverage for abortions.</content></section>
<section identifier="/us/bill/116/hr/264/tVI/s614" id="H295C35B819C847E2B35D0D26B324C8FD"><num value="614"><inline class="smallCaps">Sec. 614. </inline></num><content class="inline">The provision of section 613 shall not apply where the life of the mother would be endangered if the fetus were carried to term, or the pregnancy is the result of an act of rape or incest.</content></section>
<section identifier="/us/bill/116/hr/264/tVI/s615" id="H4D9822DAC99D46B9B9AE4EA53B474A80"><num value="615"><inline class="smallCaps">Sec. 615. </inline></num><content class="inline">In order to promote Government access to commercial information technology, the restriction on purchasing nondomestic articles, materials, and supplies set forth in <ref href="/us/usc/t41/ch83">chapter 83 of title 41, United States Code</ref> (popularly known as the Buy American Act), shall not apply to the acquisition by the Federal Government of information technology (as defined in <ref href="/us/usc/t40/s11101">section 11101 of title 40, United States Code</ref>), that is a commercial item (as defined in <ref href="/us/usc/t41/s103">section 103 of title 41, United States Code</ref>).</content></section>
<section identifier="/us/bill/116/hr/264/tVI/s616" id="HB05077672FF14834BC7652C7D2571062"><num value="616"><inline class="smallCaps">Sec. 616. </inline></num><content class="inline">Notwithstanding <ref href="/us/usc/t31/s1353">section 1353 of title 31, United States Code</ref>, no officer or employee of any regulatory agency or commission funded by this Act may accept on behalf of that agency, nor may such agency or commission accept, payment or reimbursement from a non-Federal entity for travel, subsistence, or related expenses for the purpose of enabling an officer or employee to attend and participate in any meeting or similar function relating to the official duties of the officer or employee when the entity offering payment or reimbursement is a person or entity subject to regulation by such agency or commission, or represents a person or entity subject to regulation by such agency or commission, unless the person or entity is an organization described in section 501(c)(3) of the Internal Revenue Code of 1986 and exempt from tax under section 501(a) of such Code.</content></section>
<section identifier="/us/bill/116/hr/264/tVI/s617" id="H4AA1B0A55A3D47DEAF08330CAF88A472"><num value="617"><inline class="smallCaps">Sec. 617. </inline></num><content class="inline">Notwithstanding section 708 of this Act, funds made available to the Commodity Futures Trading Commission and the Securities and Exchange Commission by this or any other Act may be used for the interagency funding and sponsorship of a joint advisory committee to advise on emerging regulatory issues.</content></section>
<section identifier="/us/bill/116/hr/264/tVI/s618" id="H78E5A52A768947058B81F292CB9678D3"><num value="618"><inline class="smallCaps">Sec. 618. </inline></num><subsection identifier="/us/bill/116/hr/264/tVI/s618/a" id="H2CE773F8AA2847E6AD635F41BB882242" class="inline"><num value="a">(a)</num><paragraph identifier="/us/bill/116/hr/264/tVI/s618/a/1" id="H0548D6C8252049A48F7005E0EAA0D21A" class="inline"><num value="1">(1) </num><content>Notwithstanding any other provision of law, an Executive agency covered by this Act otherwise authorized to enter into contracts for either leases or the construction or alteration of real property for office, meeting, storage, or other space must consult with the General Services Administration before issuing a solicitation for offers of new leases or construction contracts, and in the case of succeeding leases, before entering into negotiations with the current lessor.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tVI/s618/a/2" id="H126D3D1FF34C4AE7849CA93EA9ADCC0A" changed="added" class="indent0"><num value="2">(2) </num><content>Any such agency with authority to enter into an emergency lease may do so during any period declared by the President to require emergency leasing authority with respect to such agency.</content></paragraph></subsection>
<subsection role="definitions" identifier="/us/bill/116/hr/264/tVI/s618/b" id="HAE0A67FDF4084CE48DF645EDB9E04CC1" changed="added" class="indent0"><num value="b">(b) </num><content>For purposes of this section, the term “<term>Executive agency covered by this Act</term>” means any Executive agency provided funds by this Act, but does not include the General Services Administration or the United States Postal Service.</content></subsection></section>
<section identifier="/us/bill/116/hr/264/tVI/s619" id="H3583494DA34845C4A01110800492DB11"><num value="619"><inline class="smallCaps">Sec. 619. </inline></num><subsection identifier="/us/bill/116/hr/264/tVI/s619/a" id="HB80CDC015CD84E959C9D6A24D739B30E" class="inline"><num value="a">(a) </num><chapeau>There are appropriated for the following activities the amounts required under current law:</chapeau>
<paragraph identifier="/us/bill/116/hr/264/tVI/s619/a/1" id="HB15B1B71435B43C0AD9FB53D39D715C3" changed="added" class="indent1"><num value="1">(1) </num><content>Compensation of the President (<ref href="/us/usc/t3/s102">3 U.S.C. 102</ref>).</content></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tVI/s619/a/2" id="H1DD45165D2A54CA18F42A1A2D461B1EF" changed="added" class="indent1"><num value="2">(2) </num><chapeau>Payments to—</chapeau>
<subparagraph identifier="/us/bill/116/hr/264/tVI/s619/a/2/A" id="H183D2E473FAB44179C61EA9B930D4A8C" class="indent2"><num value="A">(A) </num><content>the Judicial Officers Retirement Fund (<ref href="/us/usc/t28/s377/o">28 U.S.C. 377(o)</ref>);</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/264/tVI/s619/a/2/B" id="HB7D90A6F6A8C47819A6548B51EA8C36E" class="indent2"><num value="B">(B) </num><content>the Judicial Survivors Annuities Fund (<ref href="/us/usc/t28/s376/c">28 U.S.C. 376(c)</ref>); and</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/264/tVI/s619/a/2/C" id="H0525670829BB4C7489CFDD42B173DF88" class="indent2"><num value="C">(C) </num><content>the United States Court of Federal Claims Judges Retirement Fund (<ref href="/us/usc/t28/s178/l">28 U.S.C. 178(l)</ref>).</content></subparagraph></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tVI/s619/a/3" id="H76106B63262E4F3AA04CEB2BE5D3FCBB" changed="added" class="indent1"><num value="3">(3) </num><chapeau>Payment of Government contributions—</chapeau>
<subparagraph identifier="/us/bill/116/hr/264/tVI/s619/a/3/A" id="H0182032395454D06BB1D1F90B3F2DEEC" class="indent2"><num value="A">(A) </num><content>with respect to the health benefits of retired employees, as authorized by <ref href="/us/usc/t5/ch89">chapter 89 of title 5, United States Code</ref>, and the Retired Federal Employees Health Benefits Act (<ref href="/us/stat/74/849">74 Stat. 849</ref>); and</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/264/tVI/s619/a/3/B" id="HE056E7FB922E4825820E49DA72196A2D" class="indent2"><num value="B">(B) </num><content>with respect to the life insurance benefits for employees retiring after December 31, 1989 (<ref href="/us/usc/t5/ch87">5 U.S.C. ch. 87</ref>).</content></subparagraph></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tVI/s619/a/4" id="H702646F6B1454AB6B97497F7CA7F5A66" changed="added" class="indent1"><num value="4">(4) </num><content>Payment to finance the unfunded liability of new and increased annuity benefits under the Civil Service Retirement and Disability Fund (<ref href="/us/usc/t5/s8348">5 U.S.C. 8348</ref>).</content></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tVI/s619/a/5" id="H6B10C2227A694D11859AAF1355673CF4" changed="added" class="indent1"><num value="5">(5) </num><content>Payment of annuities authorized to be paid from the Civil Service Retirement and Disability Fund by statutory provisions other than subchapter III of chapter 83 or <ref href="/us/usc/t5/ch84">chapter 84 of title 5, United States Code</ref>.</content></paragraph></subsection>
<subsection identifier="/us/bill/116/hr/264/tVI/s619/b" id="H2CB01CCB57624911B4E792A88EA9E8D3" changed="added" class="indent0"><num value="b">(b) </num><content>Nothing in this section may be construed to exempt any amount appropriated by this section from any otherwise applicable limitation on the use of funds contained in this Act.</content></subsection></section>
<section identifier="/us/bill/116/hr/264/tVI/s620" id="H09CA8B6AD6B94DB0B1072A1D7EECA37C"><num value="620"><inline class="smallCaps">Sec. 620. </inline></num><content class="inline">In addition to amounts made available in prior fiscal years, the Public Company Accounting Oversight Board (Board) shall have authority to obligate funds for the scholarship program established by section 109(c)(2) of the Sarbanes-Oxley Act of 2002 (<ref href="/us/pl/107/204">Public Law 107204</ref>) in an aggregate amount not exceeding the amount of funds collected by the Board between January 1, 2018 and December 31, 2018, including accrued interest, as a result of the assessment of monetary penalties. Funds available for obligation in fiscal year 2019 shall remain available until expended.</content></section>
<section identifier="/us/bill/116/hr/264/tVI/s621" id="H774A472123A24074A4E2A5C9BF061DA0"><num value="621"><inline class="smallCaps">Sec. 621. </inline></num><content class="inline">None of the funds made available in this Act may be used by the Federal Trade Commission to complete the draft report entitled “Interagency Working Group on Food Marketed to Children: Preliminary Proposed Nutrition Principles to Guide Industry Self-Regulatory Efforts” unless the Interagency Working Group on Food Marketed to Children complies with Executive Order No. 13563.</content></section>
<section identifier="/us/bill/116/hr/264/tVI/s622" id="H85497A0FEAD64C97AE1112B6BB6C79E0"><num value="622"><inline class="smallCaps">Sec. 622. </inline></num><content class="inline">None of the funds in this Act may be used for the Director of the Office of Personnel Management to award a contract, enter an extension of, or exercise an option on a contract to a contractor conducting the final quality review processes for background investigation fieldwork services or background investigation support services that, as of the date of the award of the contract, are being conducted by that contractor.</content></section>
<section identifier="/us/bill/116/hr/264/tVI/s623" id="HA1E949AF6D6D40C5A1765F65BB9F8A35"><num value="623"><inline class="smallCaps">Sec. 623. </inline></num><subsection identifier="/us/bill/116/hr/264/tVI/s623/a" id="H1C75375FDFAC4E53A92308F5DC0D4A08" class="inline"><num value="a">(a) </num><content>The head of each executive branch agency funded by this Act shall ensure that the Chief Information Officer of the agency has the authority to participate in decisions regarding the budget planning process related to information technology.</content></subsection>
<subsection identifier="/us/bill/116/hr/264/tVI/s623/b" id="HDDB2CCC7EA6A48A89F4A5874DAA6D090" changed="added" class="indent0"><num value="b">(b) </num><content>Amounts appropriated for any executive branch agency funded by this Act that are available for information technology shall be allocated within the agency, consistent with the provisions of appropriations Acts and budget guidelines and recommendations from the Director of the Office of Management and Budget, in such manner as specified by, or approved by, the Chief Information Officer of the agency in consultation with the Chief Financial Officer of the agency and budget officials.</content></subsection></section>
<section identifier="/us/bill/116/hr/264/tVI/s624" id="H3055574D26B045518E28EF52FBD32B35"><num value="624"><inline class="smallCaps">Sec. 624. </inline></num><content class="inline">None of the funds made available in this Act may be used in contravention of chapter 29, 31, or 33 of <ref href="/us/usc/t44">title 44, United States Code</ref>.</content></section>
<section identifier="/us/bill/116/hr/264/tVI/s625" id="H31A309C2263243028619AF40D8D5378F"><num value="625"><inline class="smallCaps">Sec. 625. </inline></num><content class="inline">None of the funds made available in this Act may be used by a governmental entity to require the disclosure by a provider of electronic communication service to the public or remote computing service of the contents of a wire or electronic communication that is in electronic storage with the provider (as such terms are defined in sections 2510 and 2711 of <ref href="/us/usc/t18">title 18, United States Code</ref>) in a manner that violates the <ref href="/us/cons/amd4">Fourth Amendment to the Constitution of the United States</ref>.</content></section>
<section identifier="/us/bill/116/hr/264/tVI/s626" id="H1664377BE9DB432896C251EA5758835E"><num value="626"><inline class="smallCaps">Sec. 626. </inline></num><content class="inline">None of the funds appropriated by this Act may be used by the Federal Communications Commission to modify, amend, or change the rules or regulations of the Commission for universal service high-cost support for competitive eligible telecommunications carriers in a way that is inconsistent with paragraph (e)(5) or (e)(6) of <ref href="/us/cfr/t47/s54.307">section 54.307 of title 47, Code of Federal Regulations</ref>, as in effect on July 15, 2015: <proviso><i> Provided</i>, That this section shall not prohibit the Commission from considering, developing, or adopting other support mechanisms as an alternative to Mobility Fund Phase II.</proviso></content></section>
<section identifier="/us/bill/116/hr/264/tVI/s627" id="HCDAD16360B1D4202A6E458709DBA2CA5"><num value="627"><inline class="smallCaps">Sec. 627. </inline></num><content class="inline">No funds provided in this Act shall be used to deny an Inspector General funded under this Act timely access to any records, documents, or other materials available to the department or agency over which that Inspector General has responsibilities under the Inspector General Act of 1978, or to prevent or impede that Inspector Generals access to such records, documents, or other materials, under any provision of law, except a provision of law that expressly refers to the Inspector General and expressly limits the Inspector Generals right of access. A department or agency covered by this section shall provide its Inspector General with access to all such records, documents, and other materials in a timely manner. Each Inspector General shall ensure compliance with statutory limitations on disclosure relevant to the information provided by the establishment over which that Inspector General has responsibilities under the Inspector General Act of 1978. Each Inspector General covered by this section shall report to the Committees on Appropriations of the House of Representatives and the Senate within 5 calendar days any failures to comply with this requirement.</content></section>
<section identifier="/us/bill/116/hr/264/tVI/s628" id="HE2D1E62F52C24D9FA4C1CD23FFC6A3B8"><num value="628"><inline class="smallCaps">Sec. 628. </inline></num><subsection identifier="/us/bill/116/hr/264/tVI/s628/a" id="HDABA60765E614F358BF7B4AE43F65FCC" class="inline"><num value="a">(a) </num><content>None of the funds made available in this Act may be used to maintain or establish a computer network unless such network blocks the viewing, downloading, and exchanging of pornography.</content></subsection>
<subsection identifier="/us/bill/116/hr/264/tVI/s628/b" id="H473F40ED4A814DD2936F72EBCE2064CD" changed="added" class="indent0"><num value="b">(b) </num><content>Nothing in subsection (a) shall limit the use of funds necessary for any Federal, State, tribal, or local law enforcement agency or any other entity carrying out criminal investigations, prosecution, adjudication activities, or other law enforcement- or victim assistance-related activity.</content></subsection></section>
<section identifier="/us/bill/116/hr/264/tVI/s629" id="HAD89E65A7D784A7A87DC8D490DAFD02E"><num value="629"><inline class="smallCaps">Sec. 629. </inline></num><content class="inline">None of the funds made available by this Act shall be used by the Securities and Exchange Commission to finalize, issue, or implement any rule, regulation, or order regarding the disclosure of political contributions, contributions to tax exempt organizations, or dues paid to trade associations.</content></section>
<section identifier="/us/bill/116/hr/264/tVI/s630" id="H0FAD1C150E454836924BF09F847295E3"><num value="630"><inline class="smallCaps">Sec. 630. </inline></num><content class="inline">None of the funds appropriated or other-wise made available by this Act may be used to pay award or incentive fees for contractors whose performance has been judged to be below satisfactory, behind schedule, over budget, or has failed to meet the basic requirements of a contract, unless the Agency determines that any such deviations are due to unforeseeable events, government-driven scope changes, or are not significant within the overall scope of the project and/or program and unless such awards or incentive fees are consistent with 16.401(e)(2) of the FAR.</content></section>
<section identifier="/us/bill/116/hr/264/tVI/s631" id="H237AAE0B04AA4B649B7E0D83A611572A"><num value="631"><inline class="smallCaps">Sec. 631. </inline></num><subsection identifier="/us/bill/116/hr/264/tVI/s631/a" id="H5397E7CEB1BA4929B861D1E95AE95E51" class="inline"><num value="a">(a) </num><content>None of the funds made available under this Act may be used to pay for travel and conference activities that result in a total cost to an Executive branch department, agency, board or commission of more than $500,000 at any single conference unless the head of the Executive branch department, agency, board, or commission determines that such attendance is in the national interest and advance notice is transmitted to the Committees on Appropriations of the House of Representatives and the Senate that includes the basis of that determination.</content></subsection>
<subsection identifier="/us/bill/116/hr/264/tVI/s631/b" id="H739482758A4B46D592FC75A5DCE46B5F" changed="added" class="indent0"><num value="b">(b) </num><content>None of the funds made available under this Act may be used to pay for the travel to or attendance of more than 50 employees, who are stationed in the United States, at any single conference occurring outside the United States unless the head of the Executive branch department, agency, board, or commission determines that such attendance is in the national interest and advance notice is transmitted to the Committees on Appropriations of the House of Representatives and the Senate that includes the basis of that determination.</content></subsection></section>
<section identifier="/us/bill/116/hr/264/tVI/s632" id="HCFFA8806914E4049A9D68E40542E4602"><num value="632"><inline class="smallCaps">Sec. 632. </inline></num><subsection identifier="/us/bill/116/hr/264/tVI/s632/a" id="H9E6AD883D95D49E5B40A4257F3468313" class="inline"><num value="a">(a) </num><chapeau>None of the funds appropriated or otherwise made available under this Act may be used by departments and agencies funded in this Act to acquire telecommunications equipment produced by Huawei Technologies Company, ZTE Corporation or a high-impact or moderate-impact information system, as defined for security categorization in the National Institute of Standards and Technologys (NIST) Federal Information Processing Standard Publication 199, “Standards for Security Categorization of Federal Information and Information Systems” unless the agency has—</chapeau>
<paragraph identifier="/us/bill/116/hr/264/tVI/s632/a/1" id="H77A11C5D43A94B51A2D2FE1AD9703379" changed="added" class="indent1"><num value="1">(1) </num><content>reviewed the supply chain risk for the information systems against criteria developed by NIST to inform acquisition decisions for high-impact and moderate-impact information systems within the Federal Government;</content></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tVI/s632/a/2" id="H9CF4F824A8EE4C65BD414DD9763BE3FD" changed="added" class="indent1"><num value="2">(2) </num><content>reviewed the supply chain risk from the presumptive awardee against available and relevant threat information provided by the Federal Bureau of Investigation and other appropriate agencies; and</content></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tVI/s632/a/3" id="H3E10FD65B6AD4DA18CFB70B912B7C682" changed="added" class="indent1"><num value="3">(3) </num><content>in consultation with the Federal Bureau of Investigation or other appropriate Federal entity, conducted an assessment of any risk of cyber-espionage or sabotage associated with the acquisition of such system, including any risk associated with such system being produced, manufactured, or assembled by one or more entities identified by the United States Government as posing a cyber threat, including but not limited to, those that may be owned, directed, or subsidized by the Peoples Republic of China, the Islamic Republic of Iran, the Democratic Peoples Republic of Korea, or the Russian Federation.</content></paragraph></subsection>
<subsection identifier="/us/bill/116/hr/264/tVI/s632/b" id="H0D759B042CEC4443B860885F2DBC141C" changed="added" class="indent0"><num value="b">(b) </num><chapeau>None of the funds appropriated or otherwise made available under this Act may be used to acquire a high-impact or moderate impact information system reviewed and assessed under subsection (a) unless the head of the assessing entity described in subsection (a) has—</chapeau>
<paragraph identifier="/us/bill/116/hr/264/tVI/s632/b/1" id="H16ED0B3859C04F01B0BCF69AF5F938DE" class="indent1"><num value="1">(1) </num><content>developed, in consultation with NIST and supply chain risk management experts, a mitigation strategy for any identified risks;</content></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tVI/s632/b/2" id="H24B349DF5B9A483D8D64AB37E7F489C0" class="indent1"><num value="2">(2) </num><content>determined, in consultation with NIST and the Federal Bureau of Investigation, that the acquisition of such system is in the vital national security interest of the United States; and</content></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tVI/s632/b/3" id="H00E72DD5EDEA453CA4EC1D6C946BE2C6" class="indent1"><num value="3">(3) </num><content>reported that determination to the Committees on Appropriations of the House of Representatives and the Senate in a manner that identifies the system intended for acquisition and a detailed description of the mitigation strategies identified in (1), provided that such report may include a classified annex as necessary.</content></paragraph></subsection></section>
<section identifier="/us/bill/116/hr/264/tVI/s633" id="HE4E973097A1E45B6990D2B069E1AD388"><num value="633"><inline class="smallCaps">Sec. 633. </inline></num><content class="inline">None of the funds made available by this Act shall be used for airline accommodations for any officer (as defined in <ref href="/us/usc/t5/s2104">section 2104 of title 5, United States Code</ref>) or employee (as defined in <ref href="/us/usc/t5/s2105">section 2105 of title 5, United States Code</ref>) in the executive branch that are not coach-class accommodations (which term is defined, for purposes of this section, as the basic class of accommodation by airlines that is normally the lowest fare offered regardless of airline terminology used, and (as referred to by airlines) may include tourist class or economy class, as well as single class when the airline offers only one class of accommodations to all travelers), unless such accommodations are consistent with section 30110.123 of <ref href="/us/cfr/t41">title 41, Code of Federal Regulations</ref> (as in effect on the date of enactment of this Act) and, with respect to subsection (a)(3) and (b)(2) of such section, written authorization is provided by the head of the agency (or, if the accommodations are for the head of the agency, by the Inspector General of the agency).</content></section>
<section identifier="/us/bill/116/hr/264/tVI/s634" id="H8882346378D74ECFACBC60170AC57560"><num value="634"><inline class="smallCaps">Sec. 634. </inline></num><chapeau class="inline">The Comptroller General of the United States, in consultation with relevant regulators, shall conduct a study that—</chapeau>
<paragraph identifier="/us/bill/116/hr/264/tVI/s634/1" id="H3FF96CA5BDBC440BB9DFAC909CC6DE7C" class="indent1"><num value="1">(1) </num><content>examines the financial impact of the mineral pyrrhotite in concrete home foundations; and</content></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tVI/s634/2" id="H7FE69292C40D4733964C9A23D0E0E98D" class="indent1"><num value="2">(2) </num><content>provides recommendations on regulatory and legislative actions needed to help mitigate the financial impact described in paragraph (1) on banks, mortgage lenders, tax revenues, and homeowners.</content></paragraph></section>
<section identifier="/us/bill/116/hr/264/tVI/s635" id="HD6C38DDAB0E24FA2818FFF79C279C6D6"><num value="635"><inline class="smallCaps">Sec. 635. </inline></num><content class="inline">The explanatory statement regarding division B of H.R. 21, printed in the Congressional Record on January 3, 2019, and submitted by the Chair of the Committee on Appropriations, shall have the same effect with respect to allocation of funds and implementation of this Act as if it were a joint explanatory statement of a committee of conference.</content></section>
<section identifier="/us/bill/116/hr/264/tVI/s636" id="HA5FFA075E1AF439C9E3A05A56A3CFBFF"><num value="636"><inline class="smallCaps">Sec. 636. </inline></num><subsection identifier="/us/bill/116/hr/264/tVI/s636/a" id="HB51F86D1DA484370868F3089BFF55ABD" class="inline"><num value="a">(a) </num><content>Employees furloughed as a result of any lapse in appropriations beginning on or about December 22, 2018 and ending on the date of enactment of this Act shall be compensated at their standard rate of compensation, for the period of such lapse in appropriations, as soon as practicable after such lapse in appropriations ends.</content></subsection>
<subsection identifier="/us/bill/116/hr/264/tVI/s636/b" id="HAACEE1B7FA8F47E1B16A8DF7EC71B8D8" class="indent0"><num value="b">(b) </num><chapeau>For purposes of this section, “employee” means any of the following whose salaries and expenses are provided in this Act:</chapeau>
<paragraph identifier="/us/bill/116/hr/264/tVI/s636/b/1" id="H8036725FC667443F82C3085A92BD28B0" class="indent1"><num value="1">(1) </num><content>A Federal employee.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tVI/s636/b/2" id="H9970690FE60941BFAE857C13424250DD" class="indent1"><num value="2">(2) </num><content>An employee of the District of Columbia Courts.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tVI/s636/b/3" id="H433CFEEFDCA141BD82E2197896E60BAE" class="indent1"><num value="3">(3) </num><content>An employee of the Public Defender Service for the District of Columbia.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tVI/s636/b/4" id="H297D49CE375F47449C212F1496A237F7" class="indent1"><num value="4">(4) </num><content>A District of Columbia Government employee.</content></paragraph></subsection>
<subsection identifier="/us/bill/116/hr/264/tVI/s636/c" id="H92884086F3B14CD694F1FEFCF706BAEC" class="indent0"><num value="c">(c) </num><content>All obligations incurred in anticipation of the appropriations made and authority granted by this Act for the purposes of maintaining the essential level of activity to protect life and property and bringing about orderly termination of Government functions, and for purposes as otherwise authorized by law, are hereby ratified and approved if otherwise in accord with the provisions of this Act.</content></subsection></section>
<section identifier="/us/bill/116/hr/264/tVI/s637" id="HFEFEFAF6E704438AA4EC96C2EA65FE9E"><num value="637"><inline class="smallCaps">Sec. 637. </inline></num><subsection identifier="/us/bill/116/hr/264/tVI/s637/a" id="H9395F810D923458283AF3CB7785B960E" class="inline"><num value="a">(a) </num><chapeau>If a State (or another Federal grantee) used State funds (or the grantees non-Federal funds) to continue carrying out a Federal program or furloughed State employees (or the grantees employees) whose compensation is advanced or reimbursed in whole or in part by the Federal Government—</chapeau>
<paragraph identifier="/us/bill/116/hr/264/tVI/s637/a/1" id="H038C4CFA62104DDEB13D4789FE8396DA" class="indent1"><num value="1">(1) </num><content>such furloughed employees shall be compensated at their standard rate of compensation for such period;</content></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tVI/s637/a/2" id="HC1F0950658B14EF68D4431C04C81C2A3" class="indent1"><num value="2">(2) </num><content>the State (or such other grantee) shall be reimbursed for expenses that would have been paid by the Federal Government during such period had appropriations been available, including the cost of compensating such furloughed employees, together with interest thereon calculated under <ref href="/us/usc/t31/s6503/d">section 6503(d) of title 31, United States Code</ref>; and</content></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tVI/s637/a/3" id="HE8FCB85DDB0B4879B3B3C909600A1747" class="indent1"><num value="3">(3) </num><content>the State (or such other grantee) may use funds available to the State (or the grantee) under such Federal program to reimburse such State (or the grantee), together with interest thereon calculated under <ref href="/us/usc/t31/s6503/d">section 6503(d) of title 31, United States Code</ref>.</content></paragraph></subsection>
<subsection role="definitions" identifier="/us/bill/116/hr/264/tVI/s637/b" id="H620028EBE19E4F1CAFA9E14F975A9948" class="indent0"><num value="b">(b) </num><content>For purposes of this section, the term “<term>State</term>” and the term “<term>grantee,</term>” including United States territories and possessions, shall have the meaning given such terms under the applicable Federal program under subsection (a). In addition, “to continue carrying out a Federal program” means the continued performance by a State or other Federal grantee, during the period of a lapse in appropriations, of a Federal program that the State or such other grantee had been carrying out prior to the period of the lapse in appropriations.</content></subsection>
<subsection identifier="/us/bill/116/hr/264/tVI/s637/c" id="HC5D670F9EC084EDAA4AB18F3C7F9F109" class="indent0"><num value="c">(c) </num><content>The authority under this section applies with respect to any period in fiscal year 2019 (not limited to periods beginning or ending after the date of the enactment of this Act) during which there occurs a lapse in appropriations with respect to any department or agency of the Federal Government receiving funding in this Act which, but for such lapse in appropriations, would have paid, or made reimbursement relating to, any of the expenses referred to in this section with respect to the program involved. Payments and reimbursements under this authority shall be made only to the extent and in amounts provided in advance in appropriations Acts.</content></subsection></section></title>
<title identifier="/us/bill/116/hr/264/tVII" id="HA362DE7AFAEB458E80420A3F388B3B9E" styleType="appropriations"><num value="VII">TITLE VII</num><heading class="block">GENERAL PROVISIONS—GOVERNMENT-WIDE</heading>
<appropriations level="intermediate" id="H30093E5CB3C24D71B28B9140FD319BAE"><heading>Departments, Agencies, and Corporations</heading></appropriations>
<appropriations level="small" id="H19DE7DCCE5F74480BBD3CCFB303A017C"><heading><inline class="smallCaps">(including transfer of funds)</inline></heading></appropriations>
<section identifier="/us/bill/116/hr/264/tVII/s701" id="H2552E278A0F94B3A8366955793EE692B" styleType="traditional"><num value="701"><inline class="smallCaps">Sec. 701. </inline></num><content class="inline">No department, agency, or instrumentality of the United States receiving appropriated funds under this or any other Act for fiscal year 2019 shall obligate or expend any such funds, unless such department, agency, or instrumentality has in place, and will continue to administer in good faith, a written policy designed to ensure that all of its workplaces are free from the illegal use, possession, or distribution of controlled substances (as defined in the Controlled Substances Act (<ref href="/us/usc/t21/s802">21 U.S.C. 802</ref>)) by the officers and employees of such department, agency, or instrumentality.</content></section>
<section identifier="/us/bill/116/hr/264/tVII/s702" id="HF121FE4A19B94377A9BB7D1EF9DB7116" changed="added" styleType="traditional"><num value="702"><inline class="smallCaps">Sec. 702. </inline></num><content class="inline">Unless otherwise specifically provided, the maximum amount allowable during the current fiscal year in accordance with sub<ref href="/us/usc/t31/s1343/c">section 1343(c) of title 31, United States Code</ref>, for the purchase of any passenger motor vehicle (exclusive of buses, ambulances, law enforcement vehicles, protective vehicles, and undercover surveillance vehicles), is hereby fixed at $19,947 except station wagons for which the maximum shall be $19,997: <proviso><i> Provided</i>, That these limits may be exceeded by not to exceed $7,250 for police-type vehicles: </proviso><proviso><i> Provided further</i>, That the limits set forth in this section may not be exceeded by more than 5 percent for electric or hybrid vehicles purchased for demonstration under the provisions of the Electric and Hybrid Vehicle Research, Development, and Demonstration Act of 1976: </proviso><proviso><i> Provided further</i>, That the limits set forth in this section may be exceeded by the incremental cost of clean alternative fuels vehicles acquired pursuant to <ref href="/us/pl/101/549">Public Law 101549</ref> over the cost of comparable conventionally fueled vehicles: </proviso><proviso><i> Provided further</i>, That the limits set forth in this section shall not apply to any vehicle that is a commercial item and which operates on alternative fuel, including but not limited to electric, plug-in hybrid electric, and hydrogen fuel cell vehicles.</proviso></content></section>
<section identifier="/us/bill/116/hr/264/tVII/s703" id="H46D17DBE825444A5A16111E115AC553E" styleType="traditional"><num value="703"><inline class="smallCaps">Sec. 703. </inline></num><content class="inline">Appropriations of the executive departments and independent establishments for the current fiscal year available for expenses of travel, or for the expenses of the activity concerned, are hereby made available for quarters allowances and cost-of-living allowances, in accordance with <ref href="/us/usc/t5/s59225924">5 U.S.C. 59225924</ref>.</content></section>
<section identifier="/us/bill/116/hr/264/tVII/s704" id="HFD219C0DDD2744FFB113112218D62E46" styleType="traditional"><num value="704"><inline class="smallCaps">Sec. 704. </inline></num><content class="inline">Unless otherwise specified in law during the current fiscal year, no part of any appropriation contained in this or any other Act shall be used to pay the compensation of any officer or employee of the Government of the United States (including any agency the majority of the stock of which is owned by the Government of the United States) whose post of duty is in the continental United States unless such person: (1) is a citizen of the United States; (2) is a person who is lawfully admitted for permanent residence and is seeking citizenship as outlined in <ref href="/us/usc/t8/s1324b/a/3/B">8 U.S.C. 1324b(a)(3)(B)</ref>; (3) is a person who is admitted as a refugee under <ref href="/us/usc/t8/s1157">8 U.S.C. 1157</ref> or is granted asylum under <ref href="/us/usc/t8/s1158">8 U.S.C. 1158</ref> and has filed a declaration of intention to become a lawful permanent resident and then a citizen when eligible; or (4) is a person who owes allegiance to the United States: <proviso><i> Provided</i>, That for purposes of this section, affidavits signed by any such person shall be considered prima facie evidence that the requirements of this section with respect to his or her status are being complied with: </proviso><proviso><i> Provided further</i>, That for purposes of subsections (2) and (3) such affidavits shall be submitted prior to employment and updated thereafter as necessary: </proviso><proviso><i> Provided further</i>, That any person making a false affidavit shall be guilty of a felony, and upon conviction, shall be fined no more than $4,000 or imprisoned for not more than 1 year, or both: </proviso><proviso><i> Provided further</i>, That the above penal clause shall be in addition to, and not in substitution for, any other provisions of existing law: </proviso><proviso><i> Provided further</i>, That any payment made to any officer or employee contrary to the provisions of this section shall be recoverable in action by the Federal Government: </proviso><proviso><i> Provided further</i>, That this section shall not apply to any person who is an officer or employee of the Government of the United States on the date of enactment of this Act, or to international broadcasters employed by the Broadcasting Board of Governors, or to temporary employment of translators, or to temporary employment in the field service (not to exceed 60 days) as a result of emergencies: </proviso><proviso><i> Provided further</i>, That this section does not apply to the employment as Wildland firefighters for not more than 120 days of nonresident aliens employed by the Department of the Interior or the USDA Forest Service pursuant to an agreement with another country.</proviso></content></section>
<section identifier="/us/bill/116/hr/264/tVII/s705" id="H56265463016E42F5B72B9BD693B002DF" changed="added" styleType="traditional"><num value="705"><inline class="smallCaps">Sec. 705. </inline></num><content class="inline">Appropriations available to any department or agency during the current fiscal year for necessary expenses, including maintenance or operating expenses, shall also be available for payment to the General Services Administration for charges for space and services and those expenses of renovation and alteration of buildings and facilities which constitute public improvements performed in accordance with the Public Buildings Act of 1959 (<ref href="/us/stat/73/479">73 Stat. 479</ref>), the Public Buildings Amendments of 1972 (<ref href="/us/stat/86/216">86 Stat. 216</ref>), or other applicable law.</content></section>
<section identifier="/us/bill/116/hr/264/tVII/s706" id="HEB100890016C43D98AF0D6D949047E69" changed="added" styleType="traditional"><num value="706"><inline class="smallCaps">Sec. 706. </inline></num><chapeau class="inline">In addition to funds provided in this or any other Act, all Federal agencies are authorized to receive and use funds resulting from the sale of materials, including Federal records disposed of pursuant to a records schedule recovered through recycling or waste prevention programs. Such funds shall be available until expended for the following purposes:</chapeau>
<paragraph identifier="/us/bill/116/hr/264/tVII/s706/1" id="HECA27F4FDB6B4371AD3CB80207299B99" class="indent1"><num value="1">(1) </num><content>Acquisition, waste reduction and prevention, and recycling programs as described in Executive Order No. 13693 (March 19, 2015), including any such programs adopted prior to the effective date of the Executive order.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tVII/s706/2" id="H9FE1680CE5C043B1BEF04D8A1B248CD0" class="indent1"><num value="2">(2) </num><content>Other Federal agency environmental management programs, including, but not limited to, the development and implementation of hazardous waste management and pollution prevention programs.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tVII/s706/3" id="HFA2B62E9E5F446DC8538045E83216169" class="indent1"><num value="3">(3) </num><content>Other employee programs as authorized by law or as deemed appropriate by the head of the Federal agency.</content></paragraph></section>
<section identifier="/us/bill/116/hr/264/tVII/s707" id="H63CB9F6CE16849529C96E1377CBD81F9" changed="added" styleType="traditional"><num value="707"><inline class="smallCaps">Sec. 707. </inline></num><content class="inline">Funds made available by this or any other Act for administrative expenses in the current fiscal year of the corporations and agencies subject to <ref href="/us/usc/t31/ch91">chapter 91 of title 31, United States Code</ref>, shall be available, in addition to objects for which such funds are otherwise available, for rent in the District of Columbia; services in accordance with <ref href="/us/usc/t5/s3109">5 U.S.C. 3109</ref>; and the objects specified under this head, all the provisions of which shall be applicable to the expenditure of such funds unless otherwise specified in the Act by which they are made available: <proviso><i> Provided</i>, That in the event any functions budgeted as administrative expenses are subsequently transferred to or paid from other funds, the limitations on administrative expenses shall be correspondingly reduced.</proviso></content></section>
<section identifier="/us/bill/116/hr/264/tVII/s708" id="HF6956D96756C4194905A1B9D46CBF330" changed="added" styleType="traditional"><num value="708"><inline class="smallCaps">Sec. 708. </inline></num><content class="inline">No part of any appropriation contained in this or any other Act shall be available for interagency financing of boards (except Federal Executive Boards), commissions, councils, committees, or similar groups (whether or not they are interagency entities) which do not have a prior and specific statutory approval to receive financial support from more than one agency or instrumentality.</content></section>
<section identifier="/us/bill/116/hr/264/tVII/s709" id="HC250AE9AAB4A463EAAA53AFC8D04BDE3" changed="added" styleType="traditional"><num value="709"><inline class="smallCaps">Sec. 709. </inline></num><content class="inline">None of the funds made available pursuant to the provisions of this or any other Act shall be used to implement, administer, or enforce any regulation which has been disapproved pursuant to a joint resolution duly adopted in accordance with the applicable law of the United States.</content></section>
<section role="definitions" identifier="/us/bill/116/hr/264/tVII/s710" id="H1EC1B8C3D4C548CD93837A665014822D" changed="added" styleType="traditional"><num value="710"><inline class="smallCaps">Sec. 710. </inline></num><content class="inline">During the period in which the head of any department or agency, or any other officer or civilian employee of the Federal Government appointed by the President of the United States, holds office, no funds may be obligated or expended in excess of $5,000 to furnish or redecorate the office of such department head, agency head, officer, or employee, or to purchase furniture or make improvements for any such office, unless advance notice of such furnishing or redecoration is transmitted to the Committees on Appropriations of the House of Representatives and the Senate. For the purposes of this section, the term “<term>office</term>” shall include the entire suite of offices assigned to the individual, as well as any other space used primarily by the individual or the use of which is directly controlled by the individual.</content></section>
<section identifier="/us/bill/116/hr/264/tVII/s711" id="H7C813402082543EDB9D7623EFF1B0D12" changed="added" styleType="traditional"><num value="711"><inline class="smallCaps">Sec. 711. </inline></num><content class="inline">Notwithstanding <ref href="/us/usc/t31/s1346">31 U.S.C. 1346</ref>, or section 708 of this Act, funds made available for the current fiscal year by this or any other Act shall be available for the interagency funding of national security and emergency preparedness telecommunications initiatives which benefit multiple Federal departments, agencies, or entities, as provided by Executive Order No. 13618 (July 6, 2012).</content></section>
<section identifier="/us/bill/116/hr/264/tVII/s712" id="HB2DA678B31AB49C296459C7B3C4F210F" changed="added" styleType="traditional"><num value="712"><inline class="smallCaps">Sec. 712. </inline></num><subsection identifier="/us/bill/116/hr/264/tVII/s712/a" id="HC4A7620D36394423AC5E70BB3100CADD" class="inline"><num value="a">(a) </num><content>None of the funds made available by this or any other Act may be obligated or expended by any department, agency, or other instrumentality of the Federal Government to pay the salaries or expenses of any individual appointed to a position of a confidential or policy-determining character that is excepted from the competitive service under <ref href="/us/usc/t5/s3302">section 3302 of title 5, United States Code</ref>, (pursuant to schedule C of <ref href="/us/cfr/t5/pt213/sptC">subpart C of part 213 of title 5 of the Code of Federal Regulations</ref>) unless the head of the applicable department, agency, or other instrumentality employing such schedule C individual certifies to the Director of the Office of Personnel Management that the schedule C position occupied by the individual was not created solely or primarily in order to detail the individual to the White House.</content></subsection>
<subsection identifier="/us/bill/116/hr/264/tVII/s712/b" id="H8E349AE8DFE041EC872545FDEF5DF93A" changed="added" class="indent0"><num value="b">(b) </num><content>The provisions of this section shall not apply to Federal employees or members of the armed forces detailed to or from an element of the intelligence community (as that term is defined under section 3(4) of the National Security Act of 1947 (<ref href="/us/usc/t50/s3003/4">50 U.S.C. 3003(4)</ref>)).</content></subsection></section>
<section identifier="/us/bill/116/hr/264/tVII/s713" id="HF36F34B778C14511B5A146E50749052B" changed="added" styleType="traditional"><num value="713"><inline class="smallCaps">Sec. 713. </inline></num><chapeau class="inline">No part of any appropriation contained in this or any other Act shall be available for the payment of the salary of any officer or employee of the Federal Government, who—</chapeau>
<paragraph identifier="/us/bill/116/hr/264/tVII/s713/1" id="H2962EB8939454178ACB0AE9651A0D64A" class="indent1"><num value="1">(1) </num><content>prohibits or prevents, or attempts or threatens to prohibit or prevent, any other officer or employee of the Federal Government from having any direct oral or written communication or contact with any Member, committee, or subcommittee of the Congress in connection with any matter pertaining to the employment of such other officer or employee or pertaining to the department or agency of such other officer or employee in any way, irrespective of whether such communication or contact is at the initiative of such other officer or employee or in response to the request or inquiry of such Member, committee, or subcommittee; or</content></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tVII/s713/2" id="H4157AC57F94C4ADA8D325BC7041794FD" class="indent1"><num value="2">(2) </num><content>removes, suspends from duty without pay, demotes, reduces in rank, seniority, status, pay, or performance or efficiency rating, denies promotion to, relocates, reassigns, transfers, disciplines, or discriminates in regard to any employment right, entitlement, or benefit, or any term or condition of employment of, any other officer or employee of the Federal Government, or attempts or threatens to commit any of the foregoing actions with respect to such other officer or employee, by reason of any communication or contact of such other officer or employee with any Member, committee, or subcommittee of the Congress as described in paragraph (1).</content></paragraph></section>
<section identifier="/us/bill/116/hr/264/tVII/s714" id="H9C7B4681957D49AAB53C849AC0076197" changed="added" styleType="traditional"><num value="714"><inline class="smallCaps">Sec. 714. </inline></num><subsection identifier="/us/bill/116/hr/264/tVII/s714/a" id="H0A0AC5EA25BB49C190B707D450938B76" class="inline"><num value="a">(a) </num><chapeau>None of the funds made available in this or any other Act may be obligated or expended for any employee training that—</chapeau>
<paragraph identifier="/us/bill/116/hr/264/tVII/s714/a/1" id="H2180E77661EF41A995BEF7BA0B8D2F07" changed="added" class="indent1"><num value="1">(1) </num><content>does not meet identified needs for knowledge, skills, and abilities bearing directly upon the performance of official duties;</content></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tVII/s714/a/2" id="H56E86335BDEB4551B5CD167D4EC35C03" changed="added" class="indent1"><num value="2">(2) </num><content>contains elements likely to induce high levels of emotional response or psychological stress in some participants;</content></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tVII/s714/a/3" id="HDE93D15775F44BB5BCF7B9DE67B9219B" changed="added" class="indent1"><num value="3">(3) </num><content>does not require prior employee notification of the content and methods to be used in the training and written end of course evaluation;</content></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tVII/s714/a/4" id="HC7C00592A40D48B388EEED0FAC4C640B" changed="added" class="indent1"><num value="4">(4) </num><content>contains any methods or content associated with religious or quasi-religious belief systems or “new age” belief systems as defined in Equal Employment Opportunity Commission Notice N915.022, dated September 2, 1988; or</content></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tVII/s714/a/5" id="HC9B7328268374FA199E4BD782AF779E8" changed="added" class="indent1"><num value="5">(5) </num><content>is offensive to, or designed to change, participants personal values or lifestyle outside the workplace.</content></paragraph></subsection>
<subsection identifier="/us/bill/116/hr/264/tVII/s714/b" id="H93A995941EF84BB8A55A4CA48F70D094" changed="added" class="indent0"><num value="b">(b) </num><content>Nothing in this section shall prohibit, restrict, or otherwise preclude an agency from conducting training bearing directly upon the performance of official duties.</content></subsection></section>
<section identifier="/us/bill/116/hr/264/tVII/s715" id="H9C6FFB52E3524594BDA82FE3BE0BBC3B" changed="added" styleType="traditional"><num value="715"><inline class="smallCaps">Sec. 715. </inline></num><content class="inline">No part of any funds appropriated in this or any other Act shall be used by an agency of the executive branch, other than for normal and recognized executive-legislative relationships, for publicity or propaganda purposes, and for the preparation, distribution or use of any kit, pamphlet, booklet, publication, radio, television, or film presentation designed to support or defeat legislation pending before the Congress, except in presentation to the Congress itself.</content></section>
<section identifier="/us/bill/116/hr/264/tVII/s716" id="H45893107536A4302BC0D0508845BD782" changed="added" styleType="traditional"><num value="716"><inline class="smallCaps">Sec. 716. </inline></num><content class="inline">None of the funds appropriated by this or any other Act may be used by an agency to provide a Federal employees home address to any labor organization except when the employee has authorized such disclosure or when such disclosure has been ordered by a court of competent jurisdiction.</content></section>
<section identifier="/us/bill/116/hr/264/tVII/s717" id="HE9C2DC8425C34568813F9FA5AC069011" changed="added" styleType="traditional"><num value="717"><inline class="smallCaps">Sec. 717. </inline></num><content class="inline">None of the funds made available in this or any other Act may be used to provide any non-public information such as mailing, telephone or electronic mailing lists to any person or any organization outside of the Federal Government without the approval of the Committees on Appropriations of the House of Representatives and the Senate.</content></section>
<section identifier="/us/bill/116/hr/264/tVII/s718" id="HAA20800D52484C2E80D16E5261EFBAFE" changed="added" styleType="traditional"><num value="718"><inline class="smallCaps">Sec. 718. </inline></num><content class="inline">No part of any appropriation contained in this or any other Act shall be used directly or indirectly, including by private contractor, for publicity or propaganda purposes within the United States not heretofore authorized by Congress.</content></section>
<section identifier="/us/bill/116/hr/264/tVII/s719" id="HDA8A84B3D36D4AD3925B0A964CF5C7B9" changed="added" styleType="traditional"><num value="719"><inline class="smallCaps">Sec. 719. </inline></num><subsection role="definitions" identifier="/us/bill/116/hr/264/tVII/s719/a" id="H39A18EEF8D814E4DBD063256DDEA19A9" class="inline"><num value="a">(a) </num><chapeau>In this section, the term “<term>agency</term>”—</chapeau>
<paragraph identifier="/us/bill/116/hr/264/tVII/s719/a/1" id="HCD898297AD694C05B870B8222F74F96A" changed="added" class="indent1"><num value="1">(1) </num><content>means an Executive agency, as defined under <ref href="/us/usc/t5/s105">5 U.S.C. 105</ref>; and</content></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tVII/s719/a/2" id="HD67C985D97D34909BB29BE5C532F7459" changed="added" class="indent1"><num value="2">(2) </num><content>includes a military department, as defined under section 102 of such title, the United States Postal Service, and the Postal Regulatory Commission.</content></paragraph></subsection>
<subsection identifier="/us/bill/116/hr/264/tVII/s719/b" id="HA3953E604F2747D0ACD9A4B2840C18B6" changed="added" class="indent0"><num value="b">(b) </num><content>Unless authorized in accordance with law or regulations to use such time for other purposes, an employee of an agency shall use official time in an honest effort to perform official duties. An employee not under a leave system, including a Presidential appointee exempted under <ref href="/us/usc/t5/s6301/2">5 U.S.C. 6301(2)</ref>, has an obligation to expend an honest effort and a reasonable proportion of such employees time in the performance of official duties.</content></subsection></section>
<section identifier="/us/bill/116/hr/264/tVII/s720" id="H05FAC59432CC421F9573D63ED48ED632" changed="added" styleType="traditional"><num value="720"><inline class="smallCaps">Sec. 720. </inline></num><content class="inline">Notwithstanding <ref href="/us/usc/t31/s1346">31 U.S.C. 1346</ref> and section 708 of this Act, funds made available for the current fiscal year by this or any other Act to any department or agency, which is a member of the Federal Accounting Standards Advisory Board (FASAB), shall be available to finance an appropriate share of FASAB administrative costs.</content></section>
<section identifier="/us/bill/116/hr/264/tVII/s721" id="HD818FDD80584458085A089FD703AFD72" changed="added" styleType="traditional"><num value="721"><inline class="smallCaps">Sec. 721. </inline></num><content class="inline">Notwithstanding <ref href="/us/usc/t31/s1346">31 U.S.C. 1346</ref> and section 708 of this Act, the head of each Executive department and agency is hereby authorized to transfer to or reimburse “General Services Administration, Government-wide Policy” with the approval of the Director of the Office of Management and Budget, funds made available for the current fiscal year by this or any other Act, including rebates from charge card and other contracts: <proviso><i> Provided</i>, That these funds shall be administered by the Administrator of General Services to support Government-wide and other multi-agency financial, information technology, procurement, and other management innovations, initiatives, and activities, including improving coordination and reducing duplication, as approved by the Director of the Office of Management and Budget, in consultation with the appropriate interagency and multi-agency groups designated by the Director (including the Presidents Management Council for overall management improvement initiatives, the Chief Financial Officers Council for financial management initiatives, the Chief Information Officers Council for information technology initiatives, the Chief Human Capital Officers Council for human capital initiatives, the Chief Acquisition Officers Council for procurement initiatives, and the Performance Improvement Council for performance improvement initiatives): </proviso><proviso><i> Provided further</i>, That the total funds transferred or reimbursed shall not exceed $15,000,000 to improve coordination, reduce duplication, and for other activities related to Federal Government Priority Goals established by <ref href="/us/usc/t31/s1120">31 U.S.C. 1120</ref>, and not to exceed $17,000,000 for Government-Wide innovations, initiatives, and activities: </proviso><proviso><i> Provided further</i>, That the funds transferred to or for reimbursement of “General Services Administration, Government-wide Policy” during fiscal year 2019 shall remain available for obligation through September 30, 2020: </proviso><proviso><i> Provided further</i>, That such transfers or reimbursements may only be made after 15 days following notification of the Committees on Appropriations of the House of Representatives and the Senate by the Director of the Office of Management and Budget.</proviso></content></section>
<section identifier="/us/bill/116/hr/264/tVII/s722" id="H3B41CA7CB2704D64B70A1ABCD0C172BB" changed="added" styleType="traditional"><num value="722"><inline class="smallCaps">Sec. 722. </inline></num><content class="inline">Notwithstanding any other provision of law, a woman may breastfeed her child at any location in a Federal building or on Federal property, if the woman and her child are otherwise authorized to be present at the location.</content></section>
<section identifier="/us/bill/116/hr/264/tVII/s723" id="H8E936E7F55984FAF9EF386391F65ACC7" changed="added" styleType="traditional"><num value="723"><inline class="smallCaps">Sec. 723. </inline></num><content class="inline">Notwithstanding <ref href="/us/usc/t31/s1346">31 U.S.C. 1346</ref>, or section 708 of this Act, funds made available for the current fiscal year by this or any other Act shall be available for the interagency funding of specific projects, workshops, studies, and similar efforts to carry out the purposes of the National Science and Technology Council (authorized by Executive Order No. 12881), which benefit multiple Federal departments, agencies, or entities: <proviso><i> Provided</i>, That the Office of Management and Budget shall provide a report describing the budget of and resources connected with the National Science and Technology Council to the Committees on Appropriations, the House Committee on Science and Technology, and the Senate Committee on Commerce, Science, and Transportation 90 days after enactment of this Act.</proviso></content></section>
<section identifier="/us/bill/116/hr/264/tVII/s724" id="H5A7FF673B8D04CB0BBC35073E78263CA" changed="added" styleType="traditional"><num value="724"><inline class="smallCaps">Sec. 724. </inline></num><content class="inline">Any request for proposals, solicitation, grant application, form, notification, press release, or other publications involving the distribution of Federal funds shall comply with any relevant requirements in <ref href="/us/cfr/t2/pt200">part 200 of title 2, Code of Federal Regulations</ref>: <proviso><i> Provided</i>, That this section shall apply to direct payments, formula funds, and grants received by a State receiving Federal funds.</proviso></content></section>
<section identifier="/us/bill/116/hr/264/tVII/s725" id="H89F0E4E3FA714B3E8849CFA7ABD6B9F5" changed="added" styleType="traditional"><num value="725"><inline class="smallCaps">Sec. 725. </inline></num><subsection identifier="/us/bill/116/hr/264/tVII/s725/a" id="H4721ACA4328444A6A689D48B129EAF09" class="inline"><num value="a">(a) </num><heading><inline class="smallCaps">Prohibition of Federal Agency Monitoring of Individuals Internet Use</inline>.—</heading><chapeau>None of the funds made available in this or any other Act may be used by any Federal agency—</chapeau>
<paragraph identifier="/us/bill/116/hr/264/tVII/s725/a/1" id="H3BB3F13AFF9E4F5E9D3A3598BB866426" changed="added" class="indent1"><num value="1">(1) </num><content>to collect, review, or create any aggregation of data, derived from any means, that includes any personally identifiable information relating to an individuals access to or use of any Federal Government Internet site of the agency; or</content></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tVII/s725/a/2" id="HDE1C98B5C3FC4B768C232F0B47A3927D" changed="added" class="indent1"><num value="2">(2) </num><content>to enter into any agreement with a third party (including another government agency) to collect, review, or obtain any aggregation of data, derived from any means, that includes any personally identifiable information relating to an individuals access to or use of any nongovernmental Internet site.</content></paragraph></subsection>
<subsection identifier="/us/bill/116/hr/264/tVII/s725/b" id="H0FA293C6A8EB4043B5676BC9D4F9CA1B" changed="added" class="indent0"><num value="b">(b) </num><heading><inline class="smallCaps">Exceptions</inline>.—</heading><chapeau>The limitations established in subsection (a) shall not apply to—</chapeau>
<paragraph identifier="/us/bill/116/hr/264/tVII/s725/b/1" id="H776224E83D8B448A8E1B34D7124A6D8E" class="indent1"><num value="1">(1) </num><content>any record of aggregate data that does not identify particular persons;</content></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tVII/s725/b/2" id="H01E8B6D498A94DDD9B94561223D9BA58" class="indent1"><num value="2">(2) </num><content>any voluntary submission of personally identifiable information;</content></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tVII/s725/b/3" id="HECE3B3D675D2442DA5948829B2DC3F06" class="indent1"><num value="3">(3) </num><content>any action taken for law enforcement, regulatory, or supervisory purposes, in accordance with applicable law; or</content></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tVII/s725/b/4" id="HFCD34704B50C4DD7B6C9088CF1F3E9AB" class="indent1"><num value="4">(4) </num><content>any action described in subsection (a)(1) that is a system security action taken by the operator of an Internet site and is necessarily incident to providing the Internet site services or to protecting the rights or property of the provider of the Internet site.</content></paragraph></subsection>
<subsection identifier="/us/bill/116/hr/264/tVII/s725/c" id="HF9D6E77B1C0346578BBD09904C09C68E" changed="added" class="indent0"><num value="c">(c) </num><heading><inline class="smallCaps">Definitions</inline>.—</heading><chapeau>For the purposes of this section:</chapeau>
<paragraph role="definitions" identifier="/us/bill/116/hr/264/tVII/s725/c/1" id="H9561033849004FA2A2D174C0106FE2B0" class="indent1"><num value="1">(1) </num><content>The term “<term>regulatory</term>” means agency actions to implement, interpret or enforce authorities provided in law.</content></paragraph>
<paragraph role="definitions" identifier="/us/bill/116/hr/264/tVII/s725/c/2" id="H2BDC12E058434C4BA6E7E906B5875869" class="indent1"><num value="2">(2) </num><content>The term “<term>supervisory</term>” means examinations of the agencys supervised institutions, including assessing safety and soundness, overall financial condition, management practices and policies and compliance with applicable standards as provided in law.</content></paragraph></subsection></section>
<section identifier="/us/bill/116/hr/264/tVII/s726" id="H107B48046C5747F7B317C5D5247648A2" changed="added" styleType="traditional"><num value="726"><inline class="smallCaps">Sec. 726. </inline></num><subsection identifier="/us/bill/116/hr/264/tVII/s726/a" id="H2389081F3F6F4397A82A69C33C5DE334" class="inline"><num value="a">(a) </num><content>None of the funds appropriated by this Act may be used to enter into or renew a contract which includes a provision providing prescription drug coverage, except where the contract also includes a provision for contraceptive coverage.</content></subsection>
<subsection identifier="/us/bill/116/hr/264/tVII/s726/b" id="H60C231EE840544E7AF8A8CDBE77545DA" changed="added" class="indent0"><num value="b">(b) </num><chapeau>Nothing in this section shall apply to a contract with—</chapeau>
<paragraph identifier="/us/bill/116/hr/264/tVII/s726/b/1" id="HBAA3656AB532486BB1136C1E02FB2104" class="indent1"><num value="1">(1) </num><chapeau>any of the following religious plans:</chapeau>
<subparagraph identifier="/us/bill/116/hr/264/tVII/s726/b/1/A" id="HFB6424753C85418C848D7A4DC9D903A4" class="indent2"><num value="A">(A) </num><content>Personal Cares HMO; and</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/264/tVII/s726/b/1/B" id="HA43D012003C046D3938F3751FBA574A7" class="indent2"><num value="B">(B) </num><content>OSF HealthPlans, Inc.; and</content></subparagraph></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tVII/s726/b/2" id="H7D448E1534D949DBBB386F405711A421" class="indent1"><num value="2">(2) </num><content>any existing or future plan, if the carrier for the plan objects to such coverage on the basis of religious beliefs.</content></paragraph></subsection>
<subsection identifier="/us/bill/116/hr/264/tVII/s726/c" id="H29B7ADD930DB45C9883D952A473D70DA" changed="added" class="indent0"><num value="c">(c) </num><content>In implementing this section, any plan that enters into or renews a contract under this section may not subject any individual to discrimination on the basis that the individual refuses to prescribe or otherwise provide for contraceptives because such activities would be contrary to the individuals religious beliefs or moral convictions.</content></subsection>
<subsection identifier="/us/bill/116/hr/264/tVII/s726/d" id="HC0C8E16E91604E228A4C1FB602A4DA49" changed="added" class="indent0"><num value="d">(d) </num><content>Nothing in this section shall be construed to require coverage of abortion or abortion-related services.</content></subsection></section>
<section identifier="/us/bill/116/hr/264/tVII/s727" id="H83F9DBB6EFDF434E928B8102139C99E1" changed="added" styleType="traditional"><num value="727"><inline class="smallCaps">Sec. 727. </inline></num><content class="inline">The United States is committed to ensuring the health of its Olympic, Pan American, and Paralympic athletes, and supports the strict adherence to anti-doping in sport through testing, adjudication, education, and research as performed by nationally recognized oversight authorities.</content></section>
<section identifier="/us/bill/116/hr/264/tVII/s728" id="H7C61B227F9374C429E4FA4EB50394EC1" changed="added" styleType="traditional"><num value="728"><inline class="smallCaps">Sec. 728. </inline></num><content class="inline">Notwithstanding any other provision of law, funds appropriated for official travel to Federal departments and agencies may be used by such departments and agencies, if consistent with Office of Management and Budget Circular A126 regarding official travel for Government personnel, to participate in the fractional aircraft ownership pilot program.</content></section>
<section identifier="/us/bill/116/hr/264/tVII/s729" id="H3492EE343F8C4C62A5B4568B79C31BAE" changed="added" styleType="traditional"><num value="729"><inline class="smallCaps">Sec. 729. </inline></num><content class="inline">Notwithstanding any other provision of law, none of the funds appropriated or made available under this or any other appropriations Act may be used to implement or enforce restrictions or limitations on the Coast Guard Congressional Fellowship Program, or to implement the proposed regulations of the Office of Personnel Management to add sections 300.311 through 300.316 to <ref href="/us/cfr/t5/pt300">part 300 of title 5 of the Code of Federal Regulations</ref>, published in the Federal Register, volume 68, number 174, on September 9, 2003 (relating to the detail of executive branch employees to the legislative branch).</content></section>
<section identifier="/us/bill/116/hr/264/tVII/s730" id="H83F467304F7E4DF4830D20C817F4E990" changed="added" styleType="traditional"><num value="730"><inline class="smallCaps">Sec. 730. </inline></num><content class="inline">Notwithstanding any other provision of law, no executive branch agency shall purchase, construct, or lease any additional facilities, except within or contiguous to existing locations, to be used for the purpose of conducting Federal law enforcement training without the advance approval of the Committees on Appropriations of the House of Representatives and the Senate, except that the Federal Law Enforcement Training Center is authorized to obtain the temporary use of additional facilities by lease, contract, or other agreement for training which cannot be accommodated in existing Center facilities.</content></section>
<section identifier="/us/bill/116/hr/264/tVII/s731" id="H19EB22994048464EB4E941EA857843A6" changed="added" styleType="traditional"><num value="731"><inline class="smallCaps">Sec. 731. </inline></num><content class="inline">Unless otherwise authorized by existing law, none of the funds provided in this or any other Act may be used by an executive branch agency to produce any prepackaged news story intended for broadcast or distribution in the United States, unless the story includes a clear notification within the text or audio of the prepackaged news story that the prepackaged news story was prepared or funded by that executive branch agency.</content></section>
<section identifier="/us/bill/116/hr/264/tVII/s732" id="H543E787F525D4FD389C8915813C9E009" changed="added" styleType="traditional"><num value="732"><inline class="smallCaps">Sec. 732. </inline></num><content class="inline">None of the funds made available in this Act may be used in contravention of <ref href="/us/usc/t5/s552a">section 552a of title 5, United States Code</ref> (popularly known as the Privacy Act), and regulations implementing that section.</content></section>
<section identifier="/us/bill/116/hr/264/tVII/s733" id="H93C8F286B1BF4B45BC0BF6E4E10C6A72" changed="added" styleType="traditional"><num value="733"><inline class="smallCaps">Sec. 733. </inline></num><subsection identifier="/us/bill/116/hr/264/tVII/s733/a" id="H01DD09B397EE4993A217AB20E9BF4ABC" class="inline"><num value="a">(a) </num><heading><inline class="smallCaps">In General</inline>.—</heading><content>None of the funds appropriated or otherwise made available by this or any other Act may be used for any Federal Government contract with any foreign incorporated entity which is treated as an inverted domestic corporation under section 835(b) of the Homeland Security Act of 2002 (<ref href="/us/usc/t6/s395/b">6 U.S.C. 395(b)</ref>) or any subsidiary of such an entity.</content></subsection>
<subsection identifier="/us/bill/116/hr/264/tVII/s733/b" id="HD5D21FE474BE4C44BE404DCCA4F43854" changed="added" class="indent0"><num value="b">(b) </num><heading><inline class="smallCaps">Waivers</inline>.—</heading>
<paragraph identifier="/us/bill/116/hr/264/tVII/s733/b/1" id="H5AA796393EB040A5AC312EDE8C7FB909" class="indent1"><num value="1">(1) </num><heading><inline class="smallCaps">In general</inline>.—</heading><content>Any Secretary shall waive subsection (a) with respect to any Federal Government contract under the authority of such Secretary if the Secretary determines that the waiver is required in the interest of national security.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tVII/s733/b/2" id="H8D37747CD389489784BC5B80C8BB2A3D" class="indent1"><num value="2">(2) </num><heading><inline class="smallCaps">Report to congress</inline>.—</heading><content>Any Secretary issuing a waiver under paragraph (1) shall report such issuance to Congress.</content></paragraph></subsection>
<subsection identifier="/us/bill/116/hr/264/tVII/s733/c" id="HC2417E35A93C4600B02116E01355BD1F" changed="added" class="indent0"><num value="c">(c) </num><heading><inline class="smallCaps">Exception</inline>.—</heading><content>This section shall not apply to any Federal Government contract entered into before the date of the enactment of this Act, or to any task order issued pursuant to such contract.</content></subsection></section>
<section identifier="/us/bill/116/hr/264/tVII/s734" id="H7DDDCAB108D545F1929BEBD441F343FC" changed="added" styleType="traditional"><num value="734"><inline class="smallCaps">Sec. 734. </inline></num><chapeau class="inline">During fiscal year 2019, for each employee who—</chapeau>
<paragraph identifier="/us/bill/116/hr/264/tVII/s734/1" id="H51247EC05B4F4512B97F57F665889911" class="indent1"><num value="1">(1) </num><content>retires under section 8336(d)(2) or 8414(b)(1)(B) of <ref href="/us/usc/t5">title 5, United States Code</ref>; or</content></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tVII/s734/2" id="H549916109AAD4ACE83BBACA89DCD865E" class="indent1"><num value="2">(2) </num><content>retires under any other provision of subchapter III of chapter 83 or chapter 84 of such title 5 and receives a payment as an incentive to separate, the separating agency shall remit to the Civil Service Retirement and Disability Fund an amount equal to the Office of Personnel Managements average unit cost of processing a retirement claim for the preceding fiscal year. Such amounts shall be available until expended to the Office of Personnel Management and shall be deemed to be an administrative expense under <ref href="/us/usc/t5/s8348/a/1/B">section 8348(a)(1)(B) of title 5, United States Code</ref>.</content></paragraph></section>
<section identifier="/us/bill/116/hr/264/tVII/s735" id="HE8F988E059914DA08D7F9D30D526FE4F" changed="added" styleType="traditional"><num value="735"><inline class="smallCaps">Sec. 735. </inline></num><subsection identifier="/us/bill/116/hr/264/tVII/s735/a" id="HAACD5D10CC6A4D5CAE9F80FB74B1F66B" class="inline"><num value="a">(a) </num><chapeau>None of the funds made available in this or any other Act may be used to recommend or require any entity submitting an offer for a Federal contract to disclose any of the following information as a condition of submitting the offer:</chapeau>
<paragraph identifier="/us/bill/116/hr/264/tVII/s735/a/1" id="H16FB2B6A8A7E45568C581F5DBEC989D1" changed="added" class="indent1"><num value="1">(1) </num><content>Any payment consisting of a contribution, expenditure, independent expenditure, or disbursement for an electioneering communication that is made by the entity, its officers or directors, or any of its affiliates or subsidiaries to a candidate for election for Federal office or to a political committee, or that is otherwise made with respect to any election for Federal office.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tVII/s735/a/2" id="H1F65B430499343F19EB70291E2C1C972" changed="added" class="indent1"><num value="2">(2) </num><content>Any disbursement of funds (other than a payment described in paragraph (1)) made by the entity, its officers or directors, or any of its affiliates or subsidiaries to any person with the intent or the reasonable expectation that the person will use the funds to make a payment described in paragraph (1).</content></paragraph></subsection>
<subsection identifier="/us/bill/116/hr/264/tVII/s735/b" id="HD30D99ADD6164190BF8BE6CBECF5FC34" changed="added" class="indent0"><num value="b">(b) </num><content>In this section, each of the terms “contribution”, “expenditure”, “independent expenditure”, “electioneering communication”, “candidate”, “election”, and “Federal office” has the meaning given such term in the Federal Election Campaign Act of 1971 (<ref href="/us/usc/t52/s30101/etseq">52 U.S.C. 30101 et seq.</ref>).</content></subsection></section>
<section identifier="/us/bill/116/hr/264/tVII/s736" id="H929FA9CE23AF49A2B072DE4A526A2EC7" changed="added" styleType="traditional"><num value="736"><inline class="smallCaps">Sec. 736. </inline></num><content class="inline">None of the funds made available in this or any other Act may be used to pay for the painting of a portrait of an officer or employee of the Federal government, including the President, the Vice President, a member of Congress (including a Delegate or a Resident Commissioner to Congress), the head of an executive branch agency (as defined in <ref href="/us/usc/t41/s133">section 133 of title 41, United States Code</ref>), or the head of an office of the legislative branch.</content></section>
<section identifier="/us/bill/116/hr/264/tVII/s737" id="HAB16BB8846F74D7F8EC1975A4522BDF5" styleType="traditional"><num value="737"><inline class="smallCaps">Sec. 737. </inline></num><subsection identifier="/us/bill/116/hr/264/tVII/s737/a" id="HC4DFBFD6C94C40D69D8E5DDFB5AA9B87" class="inline"><num value="a">(a)</num><paragraph identifier="/us/bill/116/hr/264/tVII/s737/a/1" id="H71931B7298BD45A8B57E72F6E50B48CF" class="inline"><num value="1">(1) </num><chapeau>Notwithstanding any other provision of law, and except as otherwise provided in this section, no part of any of the funds appropriated for fiscal year 2019, by this or any other Act, may be used to pay any prevailing rate employee described in <ref href="/us/usc/t5/s5342/a/2/A">section 5342(a)(2)(A) of title 5, United States Code</ref>—</chapeau>
<subparagraph identifier="/us/bill/116/hr/264/tVII/s737/a/1/A" id="HA5B135358C434157B82B10E115CCBD99" class="indent1"><num value="A">(A) </num><content>during the period from the date of expiration of the limitation imposed by the comparable section for the previous fiscal years until the normal effective date of the applicable wage survey adjustment that is to take effect in fiscal year 2019, in an amount that exceeds the rate payable for the applicable grade and step of the applicable wage schedule in accordance with such section; and</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/264/tVII/s737/a/1/B" id="H957A54B188B74365A0D27014FA0AAAB9" class="indent1"><num value="B">(B) </num><chapeau>during the period consisting of the remainder of fiscal year 2019, in an amount that exceeds, as a result of a wage survey adjustment, the rate payable under subparagraph (A) by more than the sum of—</chapeau>
<clause identifier="/us/bill/116/hr/264/tVII/s737/a/1/B/i" id="H06AF958DC05C4405A5DCE23B0E67A9FD" class="indent2"><num value="i">(i) </num><content>the percentage adjustment taking effect in fiscal year 2019 under <ref href="/us/usc/t5/s5303">section 5303 of title 5, United States Code</ref>, in the rates of pay under the General Schedule; and</content></clause>
<clause identifier="/us/bill/116/hr/264/tVII/s737/a/1/B/ii" id="H612FC5D6738C4B36BD2A377F7B457FA7" class="indent2"><num value="ii">(ii) </num><content>the difference between the overall average percentage of the locality-based comparability payments taking effect in fiscal year 2019 under section 5304 of such title (whether by adjustment or otherwise), and the overall average percentage of such payments which was effective in the previous fiscal year under such section.</content></clause></subparagraph></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tVII/s737/a/2" id="HBB8504F9EB7146D0ABCE5DB1CBE948C1" class="indent0"><num value="2">(2) </num><content>Notwithstanding any other provision of law, no prevailing rate employee described in subparagraph (B) or (C) of <ref href="/us/usc/t5/s5342/a/2">section 5342(a)(2) of title 5, United States Code</ref>, and no employee covered by section 5348 of such title, may be paid during the periods for which paragraph (1) is in effect at a rate that exceeds the rates that would be payable under paragraph (1) were paragraph (1) applicable to such employee.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tVII/s737/a/3" id="H105CA35141D64FDA8653FE5E93B582C7" class="indent0"><num value="3">(3) </num><content>For the purposes of this subsection, the rates payable to an employee who is covered by this subsection and who is paid from a schedule not in existence on September 30, 2018, shall be determined under regulations prescribed by the Office of Personnel Management.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tVII/s737/a/4" id="H1E698E575538462EAB310C7C9D275039" class="indent0"><num value="4">(4) </num><content>Notwithstanding any other provision of law, rates of premium pay for employees subject to this subsection may not be changed from the rates in effect on September 30, 2018, except to the extent determined by the Office of Personnel Management to be consistent with the purpose of this subsection.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tVII/s737/a/5" id="HC755AF59BA4C459D9123F2C02C9EBC23" class="indent0"><num value="5">(5) </num><content>This subsection shall apply with respect to pay for service performed after September 30, 2018.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tVII/s737/a/6" id="H8B0EC49C3A804E9CBEE29338F805E52C" class="indent0"><num value="6">(6) </num><content>For the purpose of administering any provision of law (including any rule or regulation that provides premium pay, retirement, life insurance, or any other employee benefit) that requires any deduction or contribution, or that imposes any requirement or limitation on the basis of a rate of salary or basic pay, the rate of salary or basic pay payable after the application of this subsection shall be treated as the rate of salary or basic pay.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tVII/s737/a/7" id="H8FBA6CAB097B4DB9BEADBD29F7EC9451" class="indent0"><num value="7">(7) </num><content>Nothing in this subsection shall be considered to permit or require the payment to any employee covered by this subsection at a rate in excess of the rate that would be payable were this subsection not in effect.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tVII/s737/a/8" id="HFC90CA2BFD3F45CA88E18611090FBCC5" class="indent0"><num value="8">(8) </num><content>The Office of Personnel Management may provide for exceptions to the limitations imposed by this subsection if the Office determines that such exceptions are necessary to ensure the recruitment or retention of qualified employees.</content></paragraph></subsection>
<subsection identifier="/us/bill/116/hr/264/tVII/s737/b" id="H06FA7333F3E34B428A9AE04172FA5185" class="indent0"><num value="b">(b) </num><chapeau>Notwithstanding subsection (a), the adjustment in rates of basic pay for the statutory pay systems that take place in fiscal year 2019 under sections 5344 and 5348 of <ref href="/us/usc/t5">title 5, United States Code</ref>, shall be—</chapeau>
<paragraph identifier="/us/bill/116/hr/264/tVII/s737/b/1" id="H268BDD29F19A473E9AC5CDDF7E31E90B" class="indent1"><num value="1">(1) </num><content>not less than the percentage received by employees in the same location whose rates of basic pay are adjusted pursuant to the statutory pay systems under sections 5303 and 5304 of <ref href="/us/usc/t5">title 5, United States Code</ref>: <proviso><i> Provided</i>, That prevailing rate employees at locations where there are no employees whose pay is increased pursuant to sections 5303 and 5304 of <ref href="/us/usc/t5">title 5, United States Code</ref>, and prevailing rate employees described in <ref href="/us/usc/t5/s5343/a/5">section 5343(a)(5) of title 5, United States Code</ref>, shall be considered to be located in the pay locality designated as “Rest of United States” pursuant to <ref href="/us/usc/t5/s5304">section 5304 of title 5, United States Code</ref>, for purposes of this subsection; and</proviso></content></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tVII/s737/b/2" id="HD8D7D431CCC2454A92204B7E64595A16" class="indent1"><num value="2">(2) </num><content>effective as of the first day of the first applicable pay period beginning after September 30, 2018.</content></paragraph></subsection></section>
<section identifier="/us/bill/116/hr/264/tVII/s738" id="H4A093AC93CD54D359F24A0DD3618EF7D" changed="added" styleType="traditional"><num value="738"><inline class="smallCaps">Sec. 738. </inline></num><subsection identifier="/us/bill/116/hr/264/tVII/s738/a" id="H4B27437CB050461DB4875102CD80828E" class="inline"><num value="a">(a) </num><content>The Vice President may not receive a pay raise in calendar year 2019, notwithstanding the rate adjustment made under <ref href="/us/usc/t3/s104">section 104 of title 3, United States Code</ref>, or any other provision of law.</content></subsection>
<subsection identifier="/us/bill/116/hr/264/tVII/s738/b" id="H4F93AA2FF5B14AE7BE849744FA12B9BD" changed="added" class="indent0"><num value="b">(b) </num><content>An employee serving in an Executive Schedule position, or in a position for which the rate of pay is fixed by statute at an Executive Schedule rate, may not receive a pay rate increase in calendar year 2019, notwithstanding schedule adjustments made under <ref href="/us/usc/t5/s5318">section 5318 of title 5, United States Code</ref>, or any other provision of law, except as provided in subsection (g), (h), or (i). This subsection applies only to employees who are holding a position under a political appointment.</content></subsection>
<subsection identifier="/us/bill/116/hr/264/tVII/s738/c" id="HEA9F227BCA5349508C091AE198DFEB15" changed="added" class="indent0"><num value="c">(c) </num><content>A chief of mission or ambassador at large may not receive a pay rate increase in calendar year 2019, notwithstanding section 401 of the Foreign Service Act of 1980 (<ref href="/us/pl/96/465">Public Law 96465</ref>) or any other provision of law, except as provided in subsection (g), (h), or (i).</content></subsection>
<subsection identifier="/us/bill/116/hr/264/tVII/s738/d" id="H42681D72031E42D89FD69E7BE757BAF7" changed="added" class="indent0"><num value="d">(d) </num><chapeau>Notwithstanding sections 5382 and 5383 of <ref href="/us/usc/t5">title 5, United States Code</ref>, a pay rate increase may not be received in calendar year 2019 (except as provided in subsection (g), (h), or (i)) by—</chapeau>
<paragraph identifier="/us/bill/116/hr/264/tVII/s738/d/1" id="H8BAB9DEE7743475CBBFE6EA3D2865AC1" class="indent1"><num value="1">(1) </num><content>a noncareer appointee in the Senior Executive Service paid a rate of basic pay at or above level IV of the Executive Schedule; or</content></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tVII/s738/d/2" id="H0AB94025B20F485293EE58A5BD82C48E" class="indent1"><num value="2">(2) </num><content>a limited term appointee or limited emergency appointee in the Senior Executive Service serving under a political appointment and paid a rate of basic pay at or above level IV of the Executive Schedule.</content></paragraph></subsection>
<subsection identifier="/us/bill/116/hr/264/tVII/s738/e" id="H7B03B004557D4DCCACBFA537C7AA5CA7" changed="added" class="indent0"><num value="e">(e) </num><content>Any employee paid a rate of basic pay (including any locality-based payments under <ref href="/us/usc/t5/s5304">section 5304 of title 5, United States Code</ref>, or similar authority) at or above level IV of the Executive Schedule who serves under a political appointment may not receive a pay rate increase in calendar year 2019, notwithstanding any other provision of law, except as provided in subsection (g), (h), or (i). This subsection does not apply to employees in the General Schedule pay system or the Foreign Service pay system, or to employees appointed under <ref href="/us/usc/t5/s3161">section 3161 of title 5, United States Code</ref>, or to employees in another pay system whose position would be classified at GS15 or below if <ref href="/us/usc/t5/ch51">chapter 51 of title 5, United States Code</ref>, applied to them.</content></subsection>
<subsection identifier="/us/bill/116/hr/264/tVII/s738/f" id="HC2A61EC3C6D146A4B78B998B12463BD0" changed="added" class="indent0"><num value="f">(f) </num><content>Nothing in subsections (b) through (e) shall prevent employees who do not serve under a political appointment from receiving pay increases as otherwise provided under applicable law.</content></subsection>
<subsection identifier="/us/bill/116/hr/264/tVII/s738/g" id="H7929569A73FC4CED8A9B0A0036298906" changed="added" class="indent0"><num value="g">(g) </num><content>A career appointee in the Senior Executive Service who receives a Presidential appointment and who makes an election to retain Senior Executive Service basic pay entitlements under <ref href="/us/usc/t5/s3392">section 3392 of title 5, United States Code</ref>, is not subject to this section.</content></subsection>
<subsection identifier="/us/bill/116/hr/264/tVII/s738/h" id="H2CA1B937244442D2BC2C024A80D094C3" changed="added" class="indent0"><num value="h">(h) </num><content>A member of the Senior Foreign Service who receives a Presidential appointment to any position in the executive branch and who makes an election to retain Senior Foreign Service pay entitlements under section 302(b) of the Foreign Service Act of 1980 (<ref href="/us/pl/96/465">Public Law 96465</ref>) is not subject to this section.</content></subsection>
<subsection identifier="/us/bill/116/hr/264/tVII/s738/i" id="H9F6E1D4C250C47879F05566C4242AD5A" changed="added" class="indent0"><num value="i">(i) </num><content>Notwithstanding subsections (b) through (e), an employee in a covered position may receive a pay rate increase upon an authorized movement to a different covered position with higher-level duties and a pre-established higher level or range of pay, except that any such increase must be based on the rates of pay and applicable pay limitations in effect on December 31, 2013.</content></subsection>
<subsection identifier="/us/bill/116/hr/264/tVII/s738/j" id="HB454180F958640ED9CA763FC9588ACAA" changed="added" class="indent0"><num value="j">(j) </num><content>Notwithstanding any other provision of law, for an individual who is newly appointed to a covered position during the period of time subject to this section, the initial pay rate shall be based on the rates of pay and applicable pay limitations in effect on December 31, 2013.</content></subsection>
<subsection identifier="/us/bill/116/hr/264/tVII/s738/k" id="H2B1A4AF0667F408C87B7232297E24D6D" changed="added" class="indent0"><num value="k">(k) </num><content>If an employee affected by subsections (b) through (e) is subject to a biweekly pay period that begins in calendar year 2019 but ends in calendar year 2020, the bar on the employees receipt of pay rate increases shall apply through the end of that pay period.</content></subsection></section>
<section identifier="/us/bill/116/hr/264/tVII/s739" id="H6245E2F22EC34A0E842B34F9AF2ACA5C" styleType="traditional"><num value="739"><inline class="smallCaps">Sec. 739. </inline></num><subsection identifier="/us/bill/116/hr/264/tVII/s739/a" id="HA1D9DC3E41C64675B57884359C2EE15F" class="inline"><num value="a">(a) </num><content>The head of any Executive branch department, agency, board, commission, or office funded by this or any other appropriations Act shall submit annual reports to the Inspector General or senior ethics official for any entity without an Inspector General, regarding the costs and contracting procedures related to each conference held by any such department, agency, board, commission, or office during fiscal year 2019 for which the cost to the United States Government was more than $100,000.</content></subsection>
<subsection identifier="/us/bill/116/hr/264/tVII/s739/b" id="HA9A6F8F2DF504BFBB82F4DBBC6B4DF4E" class="indent0"><num value="b">(b) </num><chapeau>Each report submitted shall include, for each conference described in subsection (a) held during the applicable period—</chapeau>
<paragraph identifier="/us/bill/116/hr/264/tVII/s739/b/1" id="H1FD5984FE85E485B8F0895E6A095AF4F" class="indent1"><num value="1">(1) </num><content>a description of its purpose;</content></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tVII/s739/b/2" id="H7BA863340DA743F3A5494AFB831CD30E" class="indent1"><num value="2">(2) </num><content>the number of participants attending;</content></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tVII/s739/b/3" id="HB88F762C613C4786916139C63A83C258" class="indent1"><num value="3">(3) </num><chapeau>a detailed statement of the costs to the United States Government, including—</chapeau>
<subparagraph identifier="/us/bill/116/hr/264/tVII/s739/b/3/A" id="HE06F46074C484DEF9295657D898CF1F7" class="indent2"><num value="A">(A) </num><content>the cost of any food or beverages;</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/264/tVII/s739/b/3/B" id="H05F77FB5EE024C5BB03FC6338593B20A" class="indent2"><num value="B">(B) </num><content>the cost of any audio-visual services;</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/264/tVII/s739/b/3/C" id="H78ED8248039645D5B5F1281FC5F5F8C6" class="indent2"><num value="C">(C) </num><content>the cost of employee or contractor travel to and from the conference; and</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/264/tVII/s739/b/3/D" id="H4F5372C88E7E45E5A4A3D5AB0AC1D79A" class="indent2"><num value="D">(D) </num><content>a discussion of the methodology used to determine which costs relate to the conference; and</content></subparagraph></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tVII/s739/b/4" id="H5881AD5A3FB04A04AEED13AB0D4A66B4" class="indent1"><num value="4">(4) </num><chapeau>a description of the contracting procedures used including—</chapeau>
<subparagraph identifier="/us/bill/116/hr/264/tVII/s739/b/4/A" id="H1EA7526535944115B20166A1A9A417E3" class="indent2"><num value="A">(A) </num><content>whether contracts were awarded on a competitive basis; and</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/264/tVII/s739/b/4/B" id="H0846CA3E1B2B45099E466402C198FA4C" class="indent2"><num value="B">(B) </num><content>a discussion of any cost comparison conducted by the departmental component or office in evaluating potential contractors for the conference.</content></subparagraph></paragraph></subsection>
<subsection identifier="/us/bill/116/hr/264/tVII/s739/c" id="H3E21F72769934B6EA8F7EB859EE9244B" class="indent0"><num value="c">(c) </num><content>Within 15 days after the end of a quarter, the head of any such department, agency, board, commission, or office shall notify the Inspector General or senior ethics official for any entity without an Inspector General, of the date, location, and number of employees attending a conference held by any Executive branch department, agency, board, commission, or office funded by this or any other appropriations Act during fiscal year 2019 for which the cost to the United States Government was more than $20,000.</content></subsection>
<subsection identifier="/us/bill/116/hr/264/tVII/s739/d" id="HB3D933CE78D94CC48B8626364FEECF29" class="indent0"><num value="d">(d) </num><content>A grant or contract funded by amounts appropriated by this or any other appropriations Act may not be used for the purpose of defraying the costs of a conference described in subsection (c) that is not directly and programmatically related to the purpose for which the grant or contract was awarded, such as a conference held in connection with planning, training, assessment, review, or other routine purposes related to a project funded by the grant or contract.</content></subsection>
<subsection identifier="/us/bill/116/hr/264/tVII/s739/e" id="H5F0CAFB648664BE0822E5D87AA484431" class="indent0"><num value="e">(e) </num><content>None of the funds made available in this or any other appropriations Act may be used for travel and conference activities that are not in compliance with Office of Management and Budget Memorandum M1212 dated May 11, 2012 or any subsequent revisions to that memorandum.</content></subsection></section>
<section identifier="/us/bill/116/hr/264/tVII/s740" id="H49AAAE59D9734392B299F298A59D06E4" changed="added" styleType="traditional"><num value="740"><inline class="smallCaps">Sec. 740. </inline></num><content class="inline">None of the funds made available in this or any other appropriations Act may be used to increase, eliminate, or reduce funding for a program, project, or activity as proposed in the Presidents budget request for a fiscal year until such proposed change is subsequently enacted in an appropriation Act, or unless such change is made pursuant to the reprogramming or transfer provisions of this or any other appropriations Act.</content></section>
<section identifier="/us/bill/116/hr/264/tVII/s741" id="H00B74BBD2E1A4FD482FC60D4F5119483" styleType="traditional"><num value="741"><inline class="smallCaps">Sec. 741. </inline></num><content class="inline">None of the funds made available by this or any other Act may be used to implement, administer, enforce, or apply the rule entitled “Competitive Area” published by the Office of Personnel Management in the Federal Register on April 15, 2008 (<ref href="/us/fr/73/20180/etseq">73 Fed. Reg. 20180 et seq.</ref>).</content></section>
<section identifier="/us/bill/116/hr/264/tVII/s742" id="H7D75F2E89A364324AA3E7EF49D63871E" styleType="traditional"><num value="742"><inline class="smallCaps">Sec. 742. </inline></num><content class="inline">None of the funds appropriated or otherwise made available by this or any other Act may be used to begin or announce a study or public-private competition regarding the conversion to contractor performance of any function performed by Federal employees pursuant to Office of Management and Budget Circular A76 or any other administrative regulation, directive, or policy.</content></section>
<section identifier="/us/bill/116/hr/264/tVII/s743" id="H78B3C665ADCD4B49913F268151FD4A3B" styleType="traditional"><num value="743"><inline class="smallCaps">Sec. 743. </inline></num><subsection identifier="/us/bill/116/hr/264/tVII/s743/a" id="HD61D99F777FE4D52A250B4A409CB06D8" class="inline"><num value="a">(a) </num><content>None of the funds appropriated or otherwise made available by this or any other Act may be available for a contract, grant, or cooperative agreement with an entity that requires employees or contractors of such entity seeking to report fraud, waste, or abuse to sign internal confidentiality agreements or statements prohibiting or otherwise restricting such employees or contractors from lawfully reporting such waste, fraud, or abuse to a designated investigative or law enforcement representative of a Federal department or agency authorized to receive such information.</content></subsection>
<subsection identifier="/us/bill/116/hr/264/tVII/s743/b" id="H4DFE097DFF014AEEBAD016F8D8EE0BE1" class="indent0"><num value="b">(b) </num><content>The limitation in subsection (a) shall not contravene requirements applicable to Standard Form 312, Form 4414, or any other form issued by a Federal department or agency governing the nondisclosure of classified information.</content></subsection></section>
<section identifier="/us/bill/116/hr/264/tVII/s744" id="HB0110D5B919A4574827D19415C09B022" styleType="traditional"><num value="744"><inline class="smallCaps">Sec. 744. </inline></num><subsection identifier="/us/bill/116/hr/264/tVII/s744/a" id="H1A1E517E00BB44E1B687262F783EBB47" class="inline"><num value="a">(a) </num><content>No funds appropriated in this or any other Act may be used to implement or enforce the agreements in Standard Forms 312 and 4414 of the Government or any other nondisclosure policy, form, or agreement if such policy, form, or agreement does not contain the following provisions: “These provisions are consistent with and do not supersede, conflict with, or otherwise alter the employee obligations, rights, or liabilities created by existing statute or Executive order relating to (1) classified information, (2) communications to Congress, (3) the reporting to an Inspector General of a violation of any law, rule, or regulation, or mismanagement, a gross waste of funds, an abuse of authority, or a substantial and specific danger to public health or safety, or (4) any other whistleblower protection. The definitions, requirements, obligations, rights, sanctions, and liabilities created by controlling Executive orders and statutory provisions are incorporated into this agreement and are controlling.”: <proviso><i> Provided</i>, That notwithstanding the preceding provision of this section, a nondisclosure policy form or agreement that is to be executed by a person connected with the conduct of an intelligence or intelligence-related activity, other than an employee or officer of the United States Government, may contain provisions appropriate to the particular activity for which such document is to be used. Such form or agreement shall, at a minimum, require that the person will not disclose any classified information received in the course of such activity unless specifically authorized to do so by the United States Government. Such nondisclosure forms shall also make it clear that they do not bar disclosures to Congress, or to an authorized official of an executive agency or the Department of Justice, that are essential to reporting a substantial violation of law.</proviso></content></subsection>
<subsection identifier="/us/bill/116/hr/264/tVII/s744/b" id="HF8EA7542A5D942ACA23D4E279935251C" class="indent0"><num value="b">(b) </num><content>A nondisclosure agreement may continue to be implemented and enforced notwithstanding subsection (a) if it complies with the requirements for such agreement that were in effect when the agreement was entered into.</content></subsection>
<subsection identifier="/us/bill/116/hr/264/tVII/s744/c" id="H19528C51340C4B11B3D04362B23E408C" class="indent0"><num value="c">(c) </num><content>No funds appropriated in this or any other Act may be used to implement or enforce any agreement entered into during fiscal year 2014 which does not contain substantially similar language to that required in subsection (a).</content></subsection></section>
<section identifier="/us/bill/116/hr/264/tVII/s745" id="HC5D14C184FE24E6986EFC38CBB14BBE4" styleType="traditional"><num value="745"><inline class="smallCaps">Sec. 745. </inline></num><content class="inline">None of the funds made available by this or any other Act may be used to enter into a contract, memorandum of understanding, or cooperative agreement with, make a grant to, or provide a loan or loan guarantee to, any corporation that has any unpaid Federal tax liability that has been assessed, for which all judicial and administrative remedies have been exhausted or have lapsed, and that is not being paid in a timely manner pursuant to an agreement with the authority responsible for collecting the tax liability, where the awarding agency is aware of the unpaid tax liability, unless a Federal agency has considered suspension or debarment of the corporation and has made a determination that this further action is not necessary to protect the interests of the Government.</content></section>
<section identifier="/us/bill/116/hr/264/tVII/s746" id="H8BD50451A84345FC8009C5A2657C0B12" styleType="traditional"><num value="746"><inline class="smallCaps">Sec. 746. </inline></num><content class="inline">None of the funds made available by this or any other Act may be used to enter into a contract, memorandum of understanding, or cooperative agreement with, make a grant to, or provide a loan or loan guarantee to, any corporation that was convicted of a felony criminal violation under any Federal law within the preceding 24 months, where the awarding agency is aware of the conviction, unless a Federal agency has considered suspension or debarment of the corporation and has made a determination that this further action is not necessary to protect the interests of the Government.</content></section>
<section identifier="/us/bill/116/hr/264/tVII/s747" id="HBF8FC47B202B4389A75A6B6931B87873" styleType="traditional"><num value="747"><inline class="smallCaps">Sec. 747. </inline></num><subsection identifier="/us/bill/116/hr/264/tVII/s747/a" id="H77DB80442A7A40668DC4DAF5224AEB50" class="inline"><num value="a">(a) </num><content>During fiscal year 2019, on the date on which a request is made for a transfer of funds in accordance with <ref href="/us/pl/111/203/s1017">section 1017 of Public Law 111203</ref>, the Bureau of Consumer Financial Protection shall notify the Committees on Appropriations of the House of Representatives and the Senate, the Committee on Financial Services of the House of Representatives, and the Committee on Banking, Housing, and Urban Affairs of the Senate of such request.</content></subsection>
<subsection identifier="/us/bill/116/hr/264/tVII/s747/b" id="HAE94C08A43B741B680E566E14D779945" class="indent0"><num value="b">(b) </num><content>Any notification required by this section shall be made available on the Bureaus public Web site.</content></subsection></section>
<section identifier="/us/bill/116/hr/264/tVII/s748" id="H2D87AB98E7C7418292C18BD036F1FC6A" styleType="traditional"><num value="748"><inline class="smallCaps">Sec. 748. </inline></num><content class="inline">If, for fiscal year 2019, new budget authority provided in appropriations Acts exceeds the discretionary spending limit for any category set forth in section 251(c) of the Balanced Budget and Emergency Deficit Control Act of 1985 due to estimating differences with the Congressional Budget Office, an adjustment to the discretionary spending limit in such category for fiscal year 2019 shall be made by the Director of the Office of Management and Budget in the amount of the excess but the total of all such adjustments shall not exceed 0.2 percent of the sum of the adjusted discretionary spending limits for all categories for that fiscal year.</content></section>
<section identifier="/us/bill/116/hr/264/tVII/s749" id="H9602E87D15C04B3AA0A336530D6CAB37" styleType="traditional"><num value="749"><inline class="smallCaps">Sec. 749. </inline></num><subsection identifier="/us/bill/116/hr/264/tVII/s749/a" id="HAE4AF7DEA62A46FBB12004F382990FA0" class="inline"><num value="a">(a) </num><content>The adjustment in rates of basic pay for employees under the statutory pay systems that takes effect in fiscal year 2019 under <ref href="/us/usc/t5/s5303">section 5303 of title 5, United States Code</ref>, shall be an increase of 1.4 percent, and the overall average percentage of the adjustments taking effect in such fiscal year under sections 5304 and 5304a of such title 5 shall be an increase of 0.5 percent (with comparability payments to be determined and allocated among pay localities by the President). All adjustments under this subsection shall be effective as of the first day of the first applicable pay period beginning on or after January 1, 2019.</content></subsection>
<subsection identifier="/us/bill/116/hr/264/tVII/s749/b" id="HC77054F172414BC582060993DC5834E1" class="indent0"><num value="b">(b) </num><content>Notwithstanding section 737, the adjustment in rates of basic pay for the statutory pay systems that take place in fiscal year 2019 under sections 5344 and 5348 of <ref href="/us/usc/t5">title 5, United States Code</ref>, shall be no less than the percentages in subsection (a) as employees in the same location whose rates of basic pay are adjusted pursuant to the statutory pay systems under section 5303, 5304, and 5304a of <ref href="/us/usc/t5">title 5, United States Code</ref>. Prevailing rate employees at locations where there are no employees whose pay is increased pursuant to sections 5303, 5304, and 5304a of such title 5 and prevailing rate employees described in section 5343(a)(5) of such title 5 shall be considered to be located in the pay locality designated as "Rest of U.S." pursuant to section 5304 of such title 5 for purposes of this subsection.</content></subsection>
<subsection identifier="/us/bill/116/hr/264/tVII/s749/c" id="HA709902102E14D36B1AD81DFF9DB7C1A" class="indent0"><num value="c">(c) </num><content>Funds used to carry out this section shall be paid from appropriations, which are made to each applicable department or agency for salaries and expenses for fiscal year 2019.</content></subsection></section>
<section identifier="/us/bill/116/hr/264/tVII/s750" id="HE81921E9164B40A18442EF666643D892" changed="added" styleType="traditional"><num value="750"><inline class="smallCaps">Sec. 750. </inline></num><content class="inline">Except as expressly provided otherwise, any reference to “this Act” contained in any title other than title IV or VIII shall not apply to such title IV or VIII.</content></section></title>
<title identifier="/us/bill/116/hr/264/tVIII" id="H9933727EAC7D4675AF8CB7EA23972DD1" changed="added" styleType="traditional-inline"><num value="VIII">TITLE VIII</num><heading class="block">GENERAL PROVISIONS—DISTRICT OF COLUMBIA</heading>
<appropriations level="small" id="HF4B23F66E5544E2D9DFF14FBF66DF6EC"><heading><inline class="smallCaps">(including transfers of funds)</inline></heading></appropriations>
<section identifier="/us/bill/116/hr/264/tVIII/s801" id="H9BBB1A26398E4ABDAA94F36936124D90" styleType="traditional"><num value="801"><inline class="smallCaps">Sec. 801. </inline></num><content class="inline">There are appropriated from the applicable funds of the District of Columbia such sums as may be necessary for making refunds and for the payment of legal settlements or judgments that have been entered against the District of Columbia government.</content></section>
<section identifier="/us/bill/116/hr/264/tVIII/s802" id="H209B450B97FE462BBC4EF8BC06CAC282" styleType="traditional"><num value="802"><inline class="smallCaps">Sec. 802. </inline></num><content class="inline">None of the Federal funds provided in this Act shall be used for publicity or propaganda purposes or implementation of any policy including boycott designed to support or defeat legislation pending before Congress or any State legislature.</content></section>
<section identifier="/us/bill/116/hr/264/tVIII/s803" id="HFF7D98A421A649D2838DA5129FC6E13A" styleType="traditional"><num value="803"><inline class="smallCaps">Sec. 803. </inline></num><subsection identifier="/us/bill/116/hr/264/tVIII/s803/a" id="H08DFB020FBA34E3E88607ACC8BD942F7" class="inline"><num value="a">(a) </num><chapeau>None of the Federal funds provided under this Act to the agencies funded by this Act, both Federal and District government agencies, that remain available for obligation or expenditure in fiscal year 2019, or provided from any accounts in the Treasury of the United States derived by the collection of fees available to the agencies funded by this Act, shall be available for obligation or expenditures for an agency through a reprogramming of funds which—</chapeau>
<paragraph identifier="/us/bill/116/hr/264/tVIII/s803/a/1" id="HA4B2BBFC2E6D4F35B9102232169B7244" changed="added" class="indent1"><num value="1">(1) </num><content>creates new programs;</content></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tVIII/s803/a/2" id="HFA0630CDFC294E68A0F08E2D21558825" changed="added" class="indent1"><num value="2">(2) </num><content>eliminates a program, project, or responsibility center;</content></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tVIII/s803/a/3" id="H7BEAFD17B56043DE8E8073545D7AB544" changed="added" class="indent1"><num value="3">(3) </num><content>establishes or changes allocations specifically denied, limited or increased under this Act;</content></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tVIII/s803/a/4" id="H8C8234E2295F4CFBAC63FD7F421FEC5A" changed="added" class="indent1"><num value="4">(4) </num><content>increases funds or personnel by any means for any program, project, or responsibility center for which funds have been denied or restricted;</content></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tVIII/s803/a/5" id="HFD667260BDFF42FAB2C8E771AD15E780" changed="added" class="indent1"><num value="5">(5) </num><content>re-establishes any program or project previously deferred through reprogramming;</content></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tVIII/s803/a/6" id="HE25AF2458D0845ACB69BF280691CBB97" changed="added" class="indent1"><num value="6">(6) </num><content>augments any existing program, project, or responsibility center through a reprogramming of funds in excess of $3,000,000 or 10 percent, whichever is less; or</content></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tVIII/s803/a/7" id="H0CE424AED6BA46BFAACA12E895C39702" changed="added" class="indent1"><num value="7">(7) </num><content>increases by 20 percent or more personnel assigned to a specific program, project or responsibility center,</content></paragraph>
<continuation class="indent0" changed="added" role="subsection">unless prior approval is received from the Committees on Appropriations of the House of Representatives and the Senate.</continuation></subsection>
<subsection identifier="/us/bill/116/hr/264/tVIII/s803/b" id="HECF80D4AB31641FD90E7E7012C80D144" changed="added" class="indent0"><num value="b">(b) </num><content>The District of Columbia government is authorized to approve and execute reprogramming and transfer requests of local funds under this title through November 7, 2019.</content></subsection></section>
<section identifier="/us/bill/116/hr/264/tVIII/s804" id="HC60BB9914D7B4324B247BEB26BC77765" styleType="traditional"><num value="804"><inline class="smallCaps">Sec. 804. </inline></num><content class="inline">None of the Federal funds provided in this Act may be used by the District of Columbia to provide for salaries, expenses, or other costs associated with the offices of United States Senator or United States Representative under section 4(d) of the District of Columbia Statehood Constitutional Convention Initiatives of 1979 (D.C. Law 3171; D.C. Official Code, sec. 1123).</content></section>
<section role="definitions" identifier="/us/bill/116/hr/264/tVIII/s805" id="H2A2CCCD4A3FE4D90A836279F380DA9EF" styleType="traditional"><num value="805"><inline class="smallCaps">Sec. 805. </inline></num><chapeau class="inline">Except as otherwise provided in this section, none of the funds made available by this Act or by any other Act may be used to provide any officer or employee of the District of Columbia with an official vehicle unless the officer or employee uses the vehicle only in the performance of the officers or employees official duties. For purposes of this section, the term “<term>official duties</term>” does not include travel between the officers or employees residence and workplace, except in the case of—</chapeau>
<paragraph identifier="/us/bill/116/hr/264/tVIII/s805/1" id="H8B6DE212E7254DDCA28C64657C47C351" class="indent1"><num value="1">(1) </num><content>an officer or employee of the Metropolitan Police Department who resides in the District of Columbia or is otherwise designated by the Chief of the Department;</content></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tVIII/s805/2" id="H23679B133C3B4BC8BF3090B60865E1BF" class="indent1"><num value="2">(2) </num><content>at the discretion of the Fire Chief, an officer or employee of the District of Columbia Fire and Emergency Medical Services Department who resides in the District of Columbia and is on call 24 hours a day;</content></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tVIII/s805/3" id="HDFFE21E4A9D94A8596855BDE16903402" class="indent1"><num value="3">(3) </num><content>at the discretion of the Director of the Department of Corrections, an officer or employee of the District of Columbia Department of Corrections who resides in the District of Columbia and is on call 24 hours a day;</content></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tVIII/s805/4" id="H5F8DF93D0D6F42AA82D776A7DDDECCAC" class="indent1"><num value="4">(4) </num><content>at the discretion of the Chief Medical Examiner, an officer or employee of the Office of the Chief Medical Examiner who resides in the District of Columbia and is on call 24 hours a day;</content></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tVIII/s805/5" id="H547E8FD539FB436284FD1A43123C9395" class="indent1"><num value="5">(5) </num><content>at the discretion of the Director of the Homeland Security and Emergency Management Agency, an officer or employee of the Homeland Security and Emergency Management Agency who resides in the District of Columbia and is on call 24 hours a day;</content></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tVIII/s805/6" id="H68C8CE7ADAF34592959928BC9A9A5CD6" class="indent1"><num value="6">(6) </num><content>the Mayor of the District of Columbia; and</content></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tVIII/s805/7" id="HD48E044D4A2F4715A766BF11BE5E3E8F" class="indent1"><num value="7">(7) </num><content>the Chairman of the Council of the District of Columbia.</content></paragraph></section>
<section identifier="/us/bill/116/hr/264/tVIII/s806" id="H961F1137D25B4AF1A211E53C066B4BC3" styleType="traditional"><num value="806"><inline class="smallCaps">Sec. 806. </inline></num><subsection identifier="/us/bill/116/hr/264/tVIII/s806/a" id="H065764D703814D23BBB328DC1C5A1ABF" class="inline"><num value="a">(a) </num><content>None of the Federal funds contained in this Act may be used by the District of Columbia Attorney General or any other officer or entity of the District government to provide assistance for any petition drive or civil action which seeks to require Congress to provide for voting representation in Congress for the District of Columbia.</content></subsection>
<subsection identifier="/us/bill/116/hr/264/tVIII/s806/b" id="HC0F508878DCB4A9894F3689665500397" changed="added" class="indent0"><num value="b">(b) </num><content>Nothing in this section bars the District of Columbia Attorney General from reviewing or commenting on briefs in private lawsuits, or from consulting with officials of the District government regarding such lawsuits.</content></subsection></section>
<section identifier="/us/bill/116/hr/264/tVIII/s807" id="H833DEB7F832F4E2492B1AE98CFDC6247" styleType="traditional"><num value="807"><inline class="smallCaps">Sec. 807. </inline></num><content class="inline">None of the Federal funds contained in this Act may be used to distribute any needle or syringe for the purpose of preventing the spread of blood borne pathogens in any location that has been determined by the local public health or local law enforcement authorities to be inappropriate for such distribution.</content></section>
<section identifier="/us/bill/116/hr/264/tVIII/s808" id="H15B76FAE728A4EFF9E733AA096948169" styleType="traditional"><num value="808"><inline class="smallCaps">Sec. 808. </inline></num><content class="inline">Nothing in this Act may be construed to prevent the Council or Mayor of the District of Columbia from addressing the issue of the provision of contraceptive coverage by health insurance plans, but it is the intent of Congress that any legislation enacted on such issue should include a “conscience clause” which provides exceptions for religious beliefs and moral convictions.</content></section>
<section identifier="/us/bill/116/hr/264/tVIII/s809" id="H2A01A0DE169E46FDA85E54DB45E9C326" styleType="traditional"><num value="809"><inline class="smallCaps">Sec. 809. </inline></num><subsection identifier="/us/bill/116/hr/264/tVIII/s809/a" id="H345573E6608048D3957B432E8F3172E9" class="inline"><num value="a">(a) </num><content>None of the Federal funds contained in this Act may be used to enact or carry out any law, rule, or regulation to legalize or otherwise reduce penalties associated with the possession, use, or distribution of any schedule I substance under the Controlled Substances Act (<ref href="/us/usc/t21/s801/etseq">21 U.S.C. 801 et seq.</ref>) or any tetrahydrocannabinols derivative.</content></subsection>
<subsection identifier="/us/bill/116/hr/264/tVIII/s809/b" id="H3CB7BE22E21C49A3BF5D62A84E261AB2" changed="added" class="indent0"><num value="b">(b) </num><content>No funds available for obligation or expenditure by the District of Columbia government under any authority may be used to enact any law, rule, or regulation to legalize or otherwise reduce penalties associated with the possession, use, or distribution of any schedule I substance under the Controlled Substances Act (<ref href="/us/usc/t21/s801/etseq">21 U.S.C. 801 et seq.</ref>) or any tetrahydrocannabinols derivative for recreational purposes.</content></subsection></section>
<section identifier="/us/bill/116/hr/264/tVIII/s810" id="H02521F23CACD484A8510CC782069DBB4" styleType="traditional"><num value="810"><inline class="smallCaps">Sec. 810. </inline></num><content class="inline">No funds available for obligation or expenditure by the District of Columbia government under any authority shall be expended for any abortion except where the life of the mother would be endangered if the fetus were carried to term or where the pregnancy is the result of an act of rape or incest.</content></section>
<section identifier="/us/bill/116/hr/264/tVIII/s811" id="H7C60D719924C4BE69692E7FD9E2E2D30" styleType="traditional"><num value="811"><inline class="smallCaps">Sec. 811. </inline></num><subsection identifier="/us/bill/116/hr/264/tVIII/s811/a" id="HEC9E43A21A784E9DBE1316655EDCBD88" class="inline"><num value="a">(a) </num><content>No later than 30 calendar days after the date of the enactment of this Act, the Chief Financial Officer for the District of Columbia shall submit to the appropriate committees of Congress, the Mayor, and the Council of the District of Columbia, a revised appropriated funds operating budget in the format of the budget that the District of Columbia government submitted pursuant to section 442 of the District of Columbia Home Rule Act (D.C. Official Code, sec. 1204.42), for all agencies of the District of Columbia government for fiscal year 2019 that is in the total amount of the approved appropriation and that realigns all budgeted data for personal services and other-than-personal services, respectively, with anticipated actual expenditures.</content></subsection>
<subsection identifier="/us/bill/116/hr/264/tVIII/s811/b" id="H501A7FD84064476BA11553F66F442E54" changed="added" class="indent0"><num value="b">(b) </num><content>This section shall apply only to an agency for which the Chief Financial Officer for the District of Columbia certifies that a reallocation is required to address unanticipated changes in program requirements.</content></subsection></section>
<section identifier="/us/bill/116/hr/264/tVIII/s812" id="HE2528472335946AC83357A58C49FB85C" styleType="traditional"><num value="812"><inline class="smallCaps">Sec. 812. </inline></num><content class="inline">No later than 30 calendar days after the date of the enactment of this Act, the Chief Financial Officer for the District of Columbia shall submit to the appropriate committees of Congress, the Mayor, and the Council for the District of Columbia, a revised appropriated funds operating budget for the District of Columbia Public Schools that aligns schools budgets to actual enrollment. The revised appropriated funds budget shall be in the format of the budget that the District of Columbia government submitted pursuant to section 442 of the District of Columbia Home Rule Act (D.C. Official Code, sec. 1204.42).</content></section>
<section identifier="/us/bill/116/hr/264/tVIII/s813" id="H44BD826BEE3C447D97406850F8798D41" styleType="traditional"><num value="813"><inline class="smallCaps">Sec. 813. </inline></num><subsection identifier="/us/bill/116/hr/264/tVIII/s813/a" id="HF031298B6BBC45D9AD7F17D218E2FFE8" class="inline"><num value="a">(a) </num><content>Amounts appropriated in this Act as operating funds may be transferred to the District of Columbias enterprise and capital funds and such amounts, once transferred, shall retain appropriation authority consistent with the provisions of this Act.</content></subsection>
<subsection identifier="/us/bill/116/hr/264/tVIII/s813/b" id="H4D6EC37E019D435AB7B0C050D84A2BAF" changed="added" class="indent0"><num value="b">(b) </num><content>The District of Columbia government is authorized to reprogram or transfer for operating expenses any local funds transferred or reprogrammed in this or the four prior fiscal years from operating funds to capital funds, and such amounts, once transferred or reprogrammed, shall retain appropriation authority consistent with the provisions of this Act.</content></subsection>
<subsection identifier="/us/bill/116/hr/264/tVIII/s813/c" id="H7A6BE29345524CA5971A54405E046C22" changed="added" class="indent0"><num value="c">(c) </num><content>The District of Columbia government may not transfer or reprogram for operating expenses any funds derived from bonds, notes, or other obligations issued for capital projects.</content></subsection></section>
<section identifier="/us/bill/116/hr/264/tVIII/s814" id="H43CD54A12A3C40C9B88F163E00A89A5B" styleType="traditional"><num value="814"><inline class="smallCaps">Sec. 814. </inline></num><content class="inline">None of the Federal funds appropriated in this Act shall remain available for obligation beyond the current fiscal year, nor may any be transferred to other appropriations, unless expressly so provided herein.</content></section>
<section identifier="/us/bill/116/hr/264/tVIII/s815" id="H031BDEDB261F4F5A8ED4AF88CFC7541B" styleType="traditional"><num value="815"><inline class="smallCaps">Sec. 815. </inline></num><content class="inline">Except as otherwise specifically provided by law or under this Act, not to exceed 50 percent of unobligated balances remaining available at the end of fiscal year 2019 from appropriations of Federal funds made available for salaries and expenses for fiscal year 2019 in this Act, shall remain available through September 30, 2020, for each such account for the purposes authorized: <proviso><i> Provided</i>, That a request shall be submitted to the Committees on Appropriations of the House of Representatives and the Senate for approval prior to the expenditure of such funds: </proviso><proviso><i> Provided further</i>, That these requests shall be made in compliance with reprogramming guidelines outlined in section 803 of this Act.</proviso></content></section>
<section identifier="/us/bill/116/hr/264/tVIII/s816" id="HC2BE29CCE853483C80CE090885FD88D0" styleType="traditional"><num value="816"><inline class="smallCaps">Sec. 816. </inline></num><subsection identifier="/us/bill/116/hr/264/tVIII/s816/a" id="H683A2978CBD74EB296956F08C9793216" class="inline"><num value="a">(a)</num><paragraph identifier="/us/bill/116/hr/264/tVIII/s816/a/1" id="HF0325227CB9B42708B33A5E6C21C28DD" class="inline"><num value="1">(1) </num><content>During fiscal year 2020, during a period in which neither a District of Columbia continuing resolution or a regular District of Columbia appropriation bill is in effect, local funds are appropriated in the amount provided for any project or activity for which local funds are provided in the Act referred to in paragraph (2) (subject to any modifications enacted by the District of Columbia as of the beginning of the period during which this subsection is in effect) at the rate set forth by such Act.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tVIII/s816/a/2" id="H57AF601F2E46469B8F849908F1D09375" changed="added" class="indent0"><num value="2">(2) </num><content>The Act referred to in this paragraph is the Act of the Council of the District of Columbia pursuant to which a proposed budget is approved for fiscal year 2020 which (subject to the requirements of the District of Columbia Home Rule Act) will constitute the local portion of the annual budget for the District of Columbia government for fiscal year 2020 for purposes of section 446 of the District of Columbia Home Rule Act (sec. 1204.46, D.C. Official Code).</content></paragraph></subsection>
<subsection identifier="/us/bill/116/hr/264/tVIII/s816/b" id="H7C30DB55E96741599849FD462919706D" changed="added" class="indent0"><num value="b">(b) </num><chapeau>Appropriations made by subsection (a) shall cease to be available—</chapeau>
<paragraph identifier="/us/bill/116/hr/264/tVIII/s816/b/1" id="H9B97BBE4080A4D84870482A95A8BE307" class="indent1"><num value="1">(1) </num><content>during any period in which a District of Columbia continuing resolution for fiscal year 2020 is in effect; or</content></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tVIII/s816/b/2" id="H10F7475C20B345A28BA7434284841DA6" class="indent1"><num value="2">(2) </num><content>upon the enactment into law of the regular District of Columbia appropriation bill for fiscal year 2020.</content></paragraph></subsection>
<subsection identifier="/us/bill/116/hr/264/tVIII/s816/c" id="HB8F81D070B974E1085477031C7716EED" changed="added" class="indent0"><num value="c">(c) </num><content>An appropriation made by subsection (a) is provided under the authority and conditions as provided under this Act and shall be available to the extent and in the manner that would be provided by this Act.</content></subsection>
<subsection identifier="/us/bill/116/hr/264/tVIII/s816/d" id="H360AA10F19F94DA6B9AB56D0501AD35F" changed="added" class="indent0"><num value="d">(d) </num><content>An appropriation made by subsection (a) shall cover all obligations or expenditures incurred for such project or activity during the portion of fiscal year 2020 for which this section applies to such project or activity.</content></subsection>
<subsection identifier="/us/bill/116/hr/264/tVIII/s816/e" id="H71204DCF9354454CA9F510D1DDB7DFC5" changed="added" class="indent0"><num value="e">(e) </num><chapeau>This section shall not apply to a project or activity during any period of fiscal year 2020 if any other provision of law (other than an authorization of appropriations)—</chapeau>
<paragraph identifier="/us/bill/116/hr/264/tVIII/s816/e/1" id="H65341943DBDD4416857D9FE6C394886D" class="indent1"><num value="1">(1) </num><content>makes an appropriation, makes funds available, or grants authority for such project or activity to continue for such period; or</content></paragraph>
<paragraph identifier="/us/bill/116/hr/264/tVIII/s816/e/2" id="HD6D56DA63CAF49D184BAEF3AC2058843" class="indent1"><num value="2">(2) </num><content>specifically provides that no appropriation shall be made, no funds shall be made available, or no authority shall be granted for such project or activity to continue for such period.</content></paragraph></subsection>
<subsection identifier="/us/bill/116/hr/264/tVIII/s816/f" id="H7ECAD52101634E25B0F125E379E37A14" changed="added" class="indent0"><num value="f">(f) </num><content>Nothing in this section shall be construed to affect obligations of the government of the District of Columbia mandated by other law.</content></subsection></section>
<section identifier="/us/bill/116/hr/264/tVIII/s817" id="H51896586FFEA45B8A2A0BBA66FE62421" styleType="traditional"><num value="817"><inline class="smallCaps">Sec. 817. </inline></num><chapeau class="inline">Except as expressly provided otherwise, any reference to “this Act” contained in this title or in title IV shall be treated as referring only to the provisions of this title or of title IV.</chapeau>
<appropriations level="small" id="H95412B2066CA45FCB6388F8B07AD66AF"><content class="block">This Act may be cited as the “<shortTitle role="act">Financial Services and General Government Appropriations Act, 2019</shortTitle>”.</content></appropriations></section></title></main>
<attestation><action><actionDescription>Passed the House of Representatives </actionDescription><date date="2019-01-09" meta="chamber:House">January 9, 2019</date>.</action>
<signatures>
<signature><notation type="attestation">Attest: </notation><name>KAREN L. HAAS,</name><role>Clerk.</role></signature></signatures></attestation>
<endorsement orientation="landscape"><relatedDocument role="calendar" href="/us/116/scal/9">Calendar No. 9</relatedDocument><congress value="116">116th CONGRESS</congress><session value="1">1st Session</session><dc:type>H. R. </dc:type><docNumber>264</docNumber><longTitle><docTitle>AN ACT</docTitle><officialTitle>Making appropriations for financial services and general government for the fiscal year ending September 30, 2019, and for other purposes.</officialTitle></longTitle><action><date date="2019-01-10"><inline class="smallCaps">January </inline>10, 2019</date><actionDescription>Read the second time and placed on the calendar</actionDescription></action></endorsement></bill>

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

View File

@@ -0,0 +1,157 @@
<?xml version="1.0" encoding="UTF-8"?><?xml-stylesheet type="text/css" href="uslm.css"?><bill xmlns="http://schemas.gpo.gov/xml/uslm" xmlns:dc="http://purl.org/dc/elements/1.1/" xmlns:html="http://www.w3.org/1999/xhtml" xmlns:uslm="http://schemas.gpo.gov/xml/uslm" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://schemas.gpo.gov/xml/uslm uslm-2.1.0.xsd" xml:lang="en" id="H60E28E426731497D9784D6D60D589617"><!--Disclaimer: Legislative measures that include compacts or other non-standard data structures will require additional modeling and may contain inconsistencies in the converted USLM XML.--> <meta>
<dc:title>116 HR 3401 RDS: Making emergency supplemental appropriations for the fiscal year ending September 30, 2019, and for other purposes.</dc:title>
<dc:type>House Bill</dc:type>
<docNumber>3401</docNumber>
<citableAs>116 HR 3401 RDS</citableAs>
<citableAs>116hr3401rds</citableAs>
<citableAs>116 H. R. 3401 RDS</citableAs>
<docStage>Received in Senate</docStage>
<currentChamber>SENATE</currentChamber>
<dc:creator>United States Senate</dc:creator>
<processedBy>GPO XPub Bill to USLM Generator, version 0.5 + manual changes</processedBy>
<processedDate>2024-09-09</processedDate>
<dc:publisher>United States Government Publishing Office</dc:publisher>
<dc:format>text/xml</dc:format>
<dc:language>EN</dc:language>
<dc:rights>Pursuant to Title 17 Section 105 of the United States Code, this file is not subject to copyright protection and is in the public domain.</dc:rights>
<congress>116</congress>
<session>1</session>
<publicPrivate>public</publicPrivate></meta>
<preface>
<slugLine> HR 3401 RDS</slugLine>
<distributionCode display="yes">II</distributionCode>
<congress value="116">116th CONGRESS</congress>
<session value="1">1st Session</session>
<dc:type>H. R. </dc:type>
<docNumber>3401</docNumber>
<currentChamber value="SENATE">IN THE SENATE OF THE UNITED STATES</currentChamber>
<action><date date="2019-06-26"><inline class="smallCaps">June </inline>26, 2019</date><actionDescription>Received</actionDescription></action></preface>
<main id="H7C94772371C74E3AB2F71A3D220C21A5" styleType="appropriations" changed="notChanged"><longTitle><docTitle>AN ACT</docTitle><officialTitle>Making emergency supplemental appropriations for the fiscal year ending September 30, 2019, and for other purposes.</officialTitle></longTitle><enactingFormula><i>Be it enacted by the Senate and House of Representatives of the United States of America in Congress assembled, </i></enactingFormula><section id="H80BE1EF742114BCEB5C367BFF4BF7989" class="inline"><content class="inline"> That the following sums are appropriated, out of any money in the Treasury not otherwise appropriated,<br verticalSpace="nextPage"/> for the fiscal year ending September 30, 2019, and for other purposes, namely:</content></section>
<title identifier="/us/bill/116/hr/3401/tI" id="H76E45FA5B9D84FEC96E25270BBE7501A"><num value="I">TITLE I</num><heading class="block">DEPARTMENT OF JUSTICE</heading>
<appropriations level="intermediate" id="HC9CA97D365204DEBAF3FB5C684DC2FAB"><heading>General Administration</heading></appropriations>
<appropriations level="small" id="HAEA6C473013F4E6C824AB43846EAE64A"><heading><inline class="smallCaps">executive office for immigration review</inline></heading></appropriations>
<appropriations level="small" id="H8BABBF2AD2274E4BA3427A738E8AD71B"><content class="block">For an additional amount for “Executive Office for Immigration Review”, $17,000,000 to be used only for services and activities provided by the Legal Access Programs, of which not less than $2,000,000 shall be for the continued operation of the Immigration Court Helpdesk Program: <proviso><i> Provided</i>, That such amount is designated by the Congress as being for an emergency requirement pursuant to section 251(b)(2)(A)(i) of the Balanced Budget and Emergency Deficit Control Act of 1985.</proviso></content></appropriations>
<appropriations level="intermediate" id="H8A4EA83E1D18431FB2C4EDBC1AF10DEC"><heading>United States Marshals Service</heading></appropriations>
<appropriations level="small" id="HAB369960CAD24F4BA367C0580D2CB901"><heading><inline class="smallCaps">federal prisoner detention</inline></heading><content class="block">For an additional amount for “Federal Prisoner Detention”, $155,000,000 to be used only for the necessary expenses related to United States prisoners in the custody of the United States Marshals Service as authorized by <ref href="/us/usc/t18/s4013">section 4013 of title 18, United States Code</ref>: <proviso><i>Provided</i>, That such amount is designated by the Congress as being for an emergency requirement pursuant to section 251(b)(2)(A)(i) of the Balanced Budget and Emergency Deficit Control Act of 1985.</proviso></content></appropriations></title>
<title identifier="/us/bill/116/hr/3401/tII" id="HF23C89ABBF054D1DBBCF72CCB26B3ABF"><num value="II">TITLE II</num><heading class="block">DEPARTMENT OF HOMELAND SECURITY</heading>
<appropriations level="intermediate" id="H2B67CD92886B4C59A2EA5346F46F3FFB"><heading>Security, Enforcement, and Border Protection</heading></appropriations>
<appropriations level="intermediate" id="H6284D1BC079E4E10BE5FFCACC4ED9225"><heading>U.S. Customs and Border Protection</heading></appropriations>
<appropriations level="small" id="HE23CA0DA6B4749F99907D7BB74BD79A4"><heading><inline class="smallCaps">operations and support</inline></heading><content class="block">For an additional amount for “Operations and Support” for necessary expenses to respond to the significant rise in aliens at the southwest border and related activities, $1,217,931,000, to remain available until September 30, 2020; of which $702,500,000 is for migrant processing facilities; of which $92,000,000 is for consumables; of which $19,950,000 is for medical assets and high risk support; of which $8,000,000 is for Federal Protective Service support; of which $35,000,000 is for transportation; of which $90,636,000 is for temporary duty and overtime costs; of which $19,845,000 is for reimbursements for temporary duty and overtime costs; and of which $50,000,000 is for mission support data systems and analysis: <proviso><i>Provided</i>, That such amount is designated by the Congress as being for an emergency requirement pursuant to section 251(b)(2)(A)(i) of the Balanced Budget and Emergency Deficit Control Act of 1985.</proviso></content></appropriations>
<appropriations level="small" id="HB5DEF249E9BD4FA4B8E629FA3AAA1F9F"><heading><inline class="smallCaps">procurement, construction, and improvements</inline></heading><content class="block">For an additional amount for “Procurement, Construction, and Improvements” for migrant processing facilities, $85,000,000, to remain available until September 30, 2023: <proviso><i>Provided</i>, That such amount is designated by the Congress as being for an emergency requirement pursuant to section 251(b)(2)(A)(i) of the Balanced Budget and Emergency Deficit Control Act of 1985.</proviso></content></appropriations>
<appropriations level="intermediate" id="H5D712C5CF82D4BE4879CFB25E29303BE"><heading>U.S. Immigration and Customs Enforcement</heading></appropriations>
<appropriations level="small" id="H306CE699350F4BA5A6D95CC3809D49AE"><heading><inline class="smallCaps">operations and support</inline></heading><content class="block">For an additional amount for “Operations and Support” for necessary expenses to respond to the significant rise in aliens at the southwest border and related activities, $128,238,000; of which $35,943,000 is for transportation of unaccompanied alien children; of which $11,981,000 is for detainee transportation for medical needs, court proceedings, or relocation to and from U.S. Customs and Border Protection custody; of which $5,114,000 is for reimbursements for overtime and temporary duty costs; of which $20,000,000 is for alternatives to detention; of which $45,000,000 is for detainee medical care; and of which $10,200,000 is for the Office of Professional Responsibility for background investigations and facility inspections: <proviso><i>Provided</i>, That such amount is designated by the Congress as being for an emergency requirement pursuant to section 251(b)(2)(A)(i) of the Balanced Budget and Emergency Deficit Control Act of 1985.</proviso></content></appropriations>
<appropriations level="intermediate" id="H392ABC0574DC4601A6504C55EF51E1CA"><heading>Federal Emergency Management Agency</heading></appropriations>
<appropriations level="small" id="HAA04BD786B44491CA5875F4014DFEDD4"><heading><inline class="smallCaps">federal assistance</inline></heading><content class="block">For an additional amount for “Federal Assistance”, $60,000,000, to remain available until September 30, 2020, for the emergency food and shelter program under Title III of the McKinney-Vento Homeless Assistance Act (<ref href="/us/usc/t42/s11331/etseq">42 U.S.C. 11331 et seq.</ref>) for the purposes of providing assistance to aliens released from the custody of the Department of Homeland Security: <proviso><i>Provided</i>, That notwithstanding Sections 315 and 316(b) of such Act, funds made available under this section shall be disbursed by the Emergency Food and Shelter Program National Board not later than 30 days after the date on which such funds becomes available: </proviso><proviso><i>Provided further</i>, That the Emergency Food and Shelter Program National Board shall distribute such funds only to jurisdictions or local recipient organizations serving communities that have experienced a significant influx of such aliens: </proviso><proviso><i>Provided further</i>, That such funds may be used to reimburse such jurisdictions or local recipient organizations for costs incurred in providing services to such aliens on or after January 1, 2019: </proviso><proviso><i>Provided further</i>, That such amount is designated by the Congress as being for an emergency requirement pursuant to section 251(b)(2)(A)(i) of the Balanced Budget and Emergency Deficit Control Act of 1985.</proviso></content></appropriations>
<appropriations level="major" id="H1F07668CA8AD42FEAD0CBCDCB8194F41"><heading>GENERAL PROVISIONS—THIS TITLE</heading></appropriations>
<section identifier="/us/bill/116/hr/3401/tII/s201" id="HDD62B298B41B42129EBF337177A51379"><num value="201"><inline class="smallCaps">Sec. 201. </inline></num><content class="inline">Notwithstanding any other provision of law, funds made available under each heading in this title shall only be used for the purposes specifically described under that heading.</content></section>
<section role="instruction" identifier="/us/bill/116/hr/3401/tII/s202" id="H371F62E4D78B465EBB24B0306B8945A0"><num value="202"><inline class="smallCaps">Sec. 202. </inline></num><content class="inline">Division A of the Consolidated Appropriations Act, 2019 (<ref href="/us/pl/116/6">Public Law 1166</ref>) <amendingAction type="amend">is amended</amendingAction> by <amendingAction type="add">adding</amendingAction> after section 540 the following:
<quotedContent id="H31DBCAC86E8A4F01B67B51DBF7995380" styleType="appropriations">
<section id="HC4321931C5994E149E968FE79E95D4DA"><num value="541"><inline class="smallCaps">“Sec. 541. </inline></num><subsection id="HAE80953F8BB341BAA4F9B2434C637DE1" class="inline"><num value="a">(a) </num><chapeau>Section 831 of the Homeland Security Act of 2002 (<ref href="/us/usc/t6/s391">6 U.S.C. 391</ref>) shall be applied—</chapeau>
<paragraph id="H88D1CBB558F8455B9AC04837B635564F" class="indent1"><num value="1">“(1) </num><content>in subsection (a), by substituting September 30, 2019, for September 30, 2017,; and</content></paragraph>
<paragraph id="HD414E10D74924C6BAB29CCDD3A3C9199" class="indent1"><num value="2">“(2) </num><content>in subsection (c)(1), by substituting September 30, 2019, for September 30, 2017.</content></paragraph></subsection>
<subsection id="HF95F36B57FBD4A4BAC59DCDBDCF67317" class="indent0"><num value="b">“(b) </num><content>The Secretary of Homeland Security, under the authority of section 831 of the Homeland Security Act of 2002 (<ref href="/us/usc/t6/s391/a">6 U.S.C. 391(a)</ref>), may carry out prototype projects under <ref href="/us/usc/t10/s2371b">section 2371b of title 10, United States Code</ref>, and the Secretary shall perform the functions of the Secretary of Defense as prescribed.</content></subsection>
<subsection id="HA963BBA744B74C8D9B396B9EB607B2E3" class="indent0"><num value="c">“(c) </num><content>The Secretary of Homeland Security under section 831 of the Homeland Security Act of 2002 (<ref href="/us/usc/t6/s391/d">6 U.S.C. 391(d)</ref>) may use the definition of nontraditional government contractor as defined in <ref href="/us/usc/t10/s2371b/e">section 2371b(e) of title 10, United States Code</ref>.”</content></subsection></section></quotedContent><inline role="after-quoted-block">.</inline></content></section>
<section identifier="/us/bill/116/hr/3401/tII/s203" id="HC30771E2290248BB86CC5475FCA1707C"><num value="203"><inline class="smallCaps">Sec. 203. </inline></num><subsection identifier="/us/bill/116/hr/3401/tII/s203/a" id="H92E4F2CF04184688A8DF6783E8912EAD" class="inline"><num value="a">(a) </num><chapeau>The Secretary of the Department of Homeland Security shall establish policies and distribute written personnel guidance, as appropriate, not later than 60 days after the date of enactment of this Act on the following:</chapeau>
<paragraph identifier="/us/bill/116/hr/3401/tII/s203/a/1" id="HFBAD03B3A3B241089F8D1D911FE443EB" class="indent1"><num value="1">(1) </num><content>Providing private meeting space and video teleconferencing access for individuals returned to Mexico under the Migrant Protection Protocols to consult with legal counsel, including prior to initial immigration court hearings.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/3401/tII/s203/a/2" id="H150F3B34B78E4045ADA290ADAA637259" class="indent1"><num value="2">(2) </num><content>Efforts, in consultation with the Department of State, to address the housing, transportation, and security needs of such individuals.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/3401/tII/s203/a/3" id="H9825D03BF3E14AAA93B167DAAC45A72A" class="indent1"><num value="3">(3) </num><content>Efforts, in consultation with the Department of Justice, to ensure that such individuals are briefed, in their primary spoken language to the greatest extent possible, on their legal rights and obligations prior to being returned to Mexico.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/3401/tII/s203/a/4" id="H5BF34D4708EB4E549C4391F943DCAADA" class="indent1"><num value="4">(4) </num><content>Efforts, in consultation with the Department of Justice, to prioritize the immigration proceedings of such individuals.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/3401/tII/s203/a/5" id="H39DDE99F18B94CFCA0C801C879A372F1" class="indent1"><num value="5">(5) </num><content>The establishment of written policies defining categories of vulnerable individuals who should not be so returned.</content></paragraph></subsection>
<subsection role="definitions" identifier="/us/bill/116/hr/3401/tII/s203/b" id="H13FBEEBE8CB64D27834A3A8DF9D36B3D" class="indent-1"><num value="b">(b) </num><content>For purposes of this section, the term “<term>Migrant Protection Protocols</term>” means the actions taken by the Secretary to implement the memorandum dated January 25, 2019 entitled “Policy Guidance for the Implementation of the Migrant Protection Protocols”.</content></subsection>
<subsection identifier="/us/bill/116/hr/3401/tII/s203/c" id="H3E4A601E58B44015AB15FC0DBEE28A0A" class="indent-1"><num value="c">(c) </num><content>The amounts provided by this section are designated by the Congress as being for an emergency requirement pursuant to section 251(b)(2)(A)(i) of the Balanced Budget and Emergency Deficit Control Act of 1985.</content></subsection></section>
<section identifier="/us/bill/116/hr/3401/tII/s204" id="HCB5926EF0ADE4C3083C71DD0E8463EB1"><num value="204"><inline class="smallCaps">Sec. 204. </inline></num><content class="inline">None of the funds provided in this Act under “U.S. Customs and Border Protection—Operations and Support” for facilities shall be available until U.S. Customs and Border Protection establishes policies (via directive, procedures, guidance, and/or memorandum) and training programs to ensure that such facilities adhere to the National Standards on Transport, Escort, Detention, and Search, published in October of 2015: <proviso><i>Provided</i>, That not later than 90 days after the date of enactment of this Act, U.S. Customs and Border Protection shall provide a detailed report to the Committees on Appropriations of the Senate and the House of Representatives, the Committee on the Judiciary of the Senate, and the House Judiciary Committee regarding the establishment and implementation of such policies and training programs.</proviso></content></section>
<section identifier="/us/bill/116/hr/3401/tII/s205" id="H0397A1E392E3413DB1068FED47F85A61"><num value="205"><inline class="smallCaps">Sec. 205. </inline></num><content class="inline">No later than 30 days after the date of enactment of this Act, the Secretary of Homeland Security shall provide a report on the number of U.S. Customs and Border Protection Officers assigned to Northern Border land ports of entry and temporarily assigned to the ongoing humanitarian crisis: <proviso><i>Provided</i>, That the report shall outline what resources and conditions would allow a return to northern border staffing levels that are no less than the number committed in the June 12, 2018 Department of Homeland Security Northern Border Strategy: </proviso><proviso><i>Provided further</i>, That the report shall include the number of officers temporarily assigned to the southwest border in response to the ongoing humanitarian crisis, the number of days the officers will be away from their northern border assignment, the northern border ports from which officers are being assigned to the southwest border, and efforts being made to limit the impact on operations at each northern border land port of entry where officers have been temporarily assigned to the southwest border.</proviso></content></section>
<section identifier="/us/bill/116/hr/3401/tII/s206" id="H978E635F179D4B31A53624AC2DDF581B"><num value="206"><inline class="smallCaps">Sec. 206. </inline></num><content class="inline">None of the funds appropriated or otherwise made available by this Act or division A of the Consolidated Appropriations Act, 2019 (<ref href="/us/pl/116/6">Public Law 1166</ref>) for the Department of Homeland Security may be used to relocate to the National Targeting Center the vetting of Trusted Traveler Program applications and operations currently carried out at existing locations unless specifically authorized by a statute enacted after the date of enactment of this Act.</content></section>
<section identifier="/us/bill/116/hr/3401/tII/s207" id="H0B0D11AA137D42C7B9C3C2DAF33AE236"><num value="207"><inline class="smallCaps">Sec. 207. </inline></num><subsection identifier="/us/bill/116/hr/3401/tII/s207/a" id="H4668E4B33D854B17847B2F402CABF389" class="inline"><num value="a">(a) </num><chapeau>Of the additional amount provided under “U.S. Customs and Border Protection—Operations and Support”, $200,000,000 is for a multi-agency, integrated, migrant processing center pilot program for family units and unaccompanied alien children, including the following:</chapeau>
<paragraph identifier="/us/bill/116/hr/3401/tII/s207/a/1" id="H9D4B640D33CC4631AAEA65896D97D059" class="indent1"><num value="1">(1) </num><content>Ongoing assessment and treatment efforts for physical or mental health conditions, including development of a support plan and services for each member of a vulnerable population.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/3401/tII/s207/a/2" id="H4EA62907ECE94434B3A9D4273A09711F" class="indent1"><num value="2">(2) </num><content>Assessments of child protection and welfare needs.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/3401/tII/s207/a/3" id="H713451A9FEB140689BC0D992F2298223" class="indent1"><num value="3">(3) </num><content>Food, shelter, hygiene services and supplies, clothing, and activities appropriate for the non-penal, civil detention of families.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/3401/tII/s207/a/4" id="HE22E0FAED1544508873734CDD434EDF8" class="indent1"><num value="4">(4) </num><content>Personnel with appropriate training on caring for families and vulnerable populations in a civil detention environment.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/3401/tII/s207/a/5" id="H5625E84B6A4840E8B9A9FDFA41B236CE" class="indent1"><num value="5">(5) </num><content>Free telephonic communication access, including support for contacting family members.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/3401/tII/s207/a/6" id="HC3BE9609293D48018B4FD24C7615472C" class="indent1"><num value="6">(6) </num><content>Direct access to legal orientation, legal representation, and case management in private areas of the center.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/3401/tII/s207/a/7" id="HE60886F8C6D747289B8709257A519240" class="indent1"><num value="7">(7) </num><content>Credible fear and reasonable fear interviews conducted by U.S. Citizenship and Immigration Services asylum officers in private areas of the center.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/3401/tII/s207/a/8" id="HC19599BB5D044A079D4AC06F8D0ADCD4" class="indent1"><num value="8">(8) </num><content>Granting of asylum directly by U.S. Citizenship and Immigration Services for manifestly well-founded or clearly meritorious cases.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/3401/tII/s207/a/9" id="H445024C65AFE4A858968C4C8BB10B321" class="indent1"><num value="9">(9) </num><chapeau>For family units not found removable prior to departure from the center—</chapeau>
<subparagraph identifier="/us/bill/116/hr/3401/tII/s207/a/9/A" id="HB7EF23027C5C42CEA633D191C49A6252" class="indent2"><num value="A">(A) </num><content>release on own recognizance or placement in alternatives to detention with case management; and</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/3401/tII/s207/a/9/B" id="H9674A37042174942B1764577736E025D" class="indent2"><num value="B">(B) </num><content>coordinated transport to a respite shelter or city of final destination.</content></subparagraph></paragraph>
<paragraph identifier="/us/bill/116/hr/3401/tII/s207/a/10" id="HDDABF34AAB7141AE9850CDCE7197870F" class="indent1"><num value="10">(10) </num><content>For family units found removable prior to departure from the center, safe return planning support by an immigration case manager, including a consular visit to assist with reintegration.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/3401/tII/s207/a/11" id="H1F6D70F89B0C4481A2EBA1355407384C" class="indent1"><num value="11">(11) </num><content>On-site operational support by non-governmental organizations for the identification and protection of vulnerable populations.</content></paragraph></subsection>
<subsection identifier="/us/bill/116/hr/3401/tII/s207/b" id="H6586DFBAA30C442A906A4C20906D25A1" class="indent0"><num value="b">(b) </num><chapeau>The Secretary shall notify the Committees on Appropriations of the Senate and the House of Representatives within 24 hours of any—</chapeau>
<paragraph identifier="/us/bill/116/hr/3401/tII/s207/b/1" id="HEF380F4209B6407D94C84EEE4B928B5C" class="indent1"><num value="1">(1) </num><content>unaccompanied child placed in the pilot program whose time in Department of Homeland Security custody exceeds 72 hours; and</content></paragraph>
<paragraph identifier="/us/bill/116/hr/3401/tII/s207/b/2" id="H71F72B046DAC4389AF641A394BB3E420" class="indent1"><num value="2">(2) </num><content>family unit placed in the pilot program whose time in such custody exceed exceeds 9 days.</content></paragraph></subsection>
<subsection identifier="/us/bill/116/hr/3401/tII/s207/c" id="HFBC3C4B9C4C349EBAAD0226EDBEFE034" class="indent0"><num value="c">(c) </num><content>Prior to the obligation of the amount identified in subsection (a), but not later than 30 days after the date of enactment of this Act, the Secretary shall submit a plan for the implementation of the pilot program to the Committees on Appropriations of the Senate and the House of Representatives which shall include a definition of vulnerable populations.</content></subsection></section>
<section identifier="/us/bill/116/hr/3401/tII/s208" id="H3C8D200F360D41499B686706D36EB5D4"><num value="208"><inline class="smallCaps">Sec. 208. </inline></num><chapeau class="inline">Not later than 30 days after the date of enactment of this Act, the Secretary of Homeland Security shall establish final plans, standards, and protocols to protect the health and safety of individuals in the custody of U.S. Customs and Border Protection, which shall include—</chapeau>
<paragraph identifier="/us/bill/116/hr/3401/tII/s208/1" id="H16B99BD8DD504296961E3A5A5C85EFBF" class="indent1"><num value="1">(1) </num><content>standards and response protocols for medical assessments and medical emergencies;</content></paragraph>
<paragraph identifier="/us/bill/116/hr/3401/tII/s208/2" id="HAA41DC8CC81D4890A4D5FE600DE4D98F" class="indent1"><num value="2">(2) </num><content>requirements for ensuring the provision of water, appropriate nutrition, hygiene, and sanitation needs;</content></paragraph>
<paragraph identifier="/us/bill/116/hr/3401/tII/s208/3" id="H954C845E63FC42AB83B86C46C76B9957" class="indent1"><num value="3">(3) </num><content>standards for temporary holding facilities that adhere to best practices for the care of children, which shall be in compliance with the relevant recommendations in the Policy Statement of the American Academy of Pediatrics entitled, “Detention of Immigrant Children”;</content></paragraph>
<paragraph identifier="/us/bill/116/hr/3401/tII/s208/4" id="H7EEF2E4E83DC43EA9B09D771F20EA2F5" class="indent1"><num value="4">(4) </num><content>protocols for responding to surges of migrants crossing the southern border or arriving at land ports of entry; and</content></paragraph>
<paragraph identifier="/us/bill/116/hr/3401/tII/s208/5" id="H66BAD01B6DEA42B6B75E8597F5459CD5" class="indent1"><num value="5">(5) </num><content>required training for all Federal and contract personnel who interact with migrants on the care and treatment of individuals in civil detention.</content></paragraph></section>
<section identifier="/us/bill/116/hr/3401/tII/s209" id="H3A2ED6B992E5423D94710D0D317209FD"><num value="209"><inline class="smallCaps">Sec. 209. </inline></num><content class="inline">Not later than 120 days after the date of enactment of this Act, the Secretary of Homeland Security shall submit to the House of Representatives and the Senate a plan for ensuring access to appropriate translation services for all individuals encountered by U.S. Customs and Border Protection, U.S. Immigration and Customs Enforcement, and U.S. Citizenship and Immigration Services, including an estimate of related resource requirements and the feasibility and potential benefit of these components jointly procuring such services.</content></section></title>
<title identifier="/us/bill/116/hr/3401/tIII" id="HE8824208DA224740A430AB46851D79C6"><num value="III">TITLE III</num><heading class="block">DEPARTMENT OF HEALTH AND HUMAN SERVICES</heading>
<appropriations level="intermediate" id="HFD06F6DC0516434CAB327467DA540BB6"><heading>Administration for Children and Families</heading></appropriations>
<appropriations level="small" id="H86A68D71B4E942C8888E9CEFE8B040D6"><heading><inline class="smallCaps">refugee and entrant assistance</inline></heading></appropriations>
<appropriations level="small" id="HDD87B1738AA14282BAB94B611E4949A3"><heading><inline class="smallCaps">(including transfer of funds)</inline></heading><content class="block">For an additional amount for “Refugee and Entrant Assistance” $2,881,552,000, to be merged with and available for the same period as funds appropriated in <ref href="/us/pl/115/245/dB">division B of Public Law 115245</ref> and made available through fiscal year 2021 under this heading, and to be made available for any purpose funded under such heading in such law: <proviso><i>Provided</i>, That if any part of the reprogramming described in the notification submitted by the Secretary of Health and Human Services (the “Secretary”) to the Committees on Appropriations of the House of Representatives and the Senate on May 16, 2019, has been executed as of the date of the enactment of this Act, such amounts provided by this Act as are necessary shall be used to reverse such reprogramming: </proviso><proviso><i>Provided further</i>, That of the amounts provided under this heading, the amount allocated by the Secretary for costs of leases of property that include facilities to be used as hard-sided dormitories for which the Secretary intends to seek State licensure for the care of unaccompanied alien children, and that are executed under authorities transferred to the Director of the Office of Refugee Resettlement (ORR) under section 462 of the Homeland Security Act of 2002, shall remain available until expended: </proviso><proviso><i>Provided further</i>, That ORR shall notify the Committees on Appropriations of the House of Representatives and the Senate within 72 hours of conducting a formal assessment of a facility for possible lease or acquisition and within 7 days of any lease or acquisition of real property: </proviso><proviso><i>Provided further</i>, That not less than $866,000,000 of the amounts provided under this heading shall be used for the provision of care in licensed shelters and for expanding the supply of shelters for which State licensure will be sought, of which not less than $27,000,000 shall be available for the purposes of <amendingAction type="add">adding</amendingAction> shelter beds in State-licensed facilities in response to funding opportunity HHS2017ACFORRZU1132, and of which not less than $185,000,000 shall be available for expansion grants to add beds in State-licensed facilities and open new State-licensed facilities, and for contract costs to acquire, activate, and operate facilities that include small- and medium-scale hard-sided facilities for which the Secretary intends to seek State licensure in an effort to phase out the need for shelter beds in unlicensed facilities: </proviso><proviso><i>Provided further</i>, That not less than $100,000,000 of the amounts provided under this heading shall be used for post-release services, child advocates, and legal services: </proviso><proviso><i>Provided further</i>, That the amount made available for legal services in the preceding proviso shall be made available for the same purposes for which amounts were provided for such services in fiscal year 2017: </proviso><proviso><i>Provided further</i>, That not less than $8,000,000 of the amounts provided under this heading shall be used for the purposes of hiring additional Federal Field Specialists and for increasing case management and case coordination services, with the goal of more expeditiously placing unaccompanied alien children with sponsors and reducing the length of stay in ORR custody: </proviso><proviso><i>Provided further</i>, That not less than $1,000,000 of amounts provided under this heading shall be used for the purposes of hiring project officers and program monitor staff dedicated to pursuing strategic improvements to the Unaccompanied Alien Children program and for the development of a discharge rate improvement plan which shall be submitted to the Committees on Appropriations of the House of Representatives and the Senate within 120 days of the date of enactment of this Act: </proviso><proviso><i>Provided further</i>, That of the amounts provided under this heading, $5,000,000 shall be transferred to “<quotedText>Office of the Secretary—Office of Inspector General</quotedText>” and shall remain available until expended for oversight of activities supported with funds appropriated under this heading: </proviso><proviso><i>Provided further</i>, That none of the funds made available under this heading may be transferred pursuant to the authority in <ref href="/us/pl/115/245/dB/s205">section 205 of division B of Public Law 115245</ref>: </proviso><proviso><i>Provided further</i>, That the amount provided under this heading is designated by the Congress as being for an emergency requirement pursuant to section 251(b)(2)(A)(i) of the Balanced Budget and Emergency Deficit Control Act of 1985.</proviso></content></appropriations>
<appropriations level="major" id="H751514FF89274770875485F84B9AF956"><heading>GENERAL PROVISIONS—THIS TITLE</heading></appropriations>
<section identifier="/us/bill/116/hr/3401/tIII/s301" id="H099AE84E126641C783CF2E803A995243"><num value="301"><inline class="smallCaps">Sec. 301. </inline></num><content class="inline">The Secretary of Health and Human Services (the “Secretary”) shall prioritize use of community-based residential care (including long-term and transitional foster care and small group homes) and shelter care other than large-scale institutional shelter facilities to house unaccompanied alien children in the custody of the Department of Health and Human Services. The Secretary shall prioritize State-licensed, hard-sided dormitories.</content></section>
<section identifier="/us/bill/116/hr/3401/tIII/s302" id="H4A5940775088409592A15685CD8D27C9"><num value="302"><inline class="smallCaps">Sec. 302. </inline></num><content class="inline">Funds made available in this Act under the heading “<headingText>Department of Health and Human Services—Administration for Children and Families—Refugee and Entrant Assistance</headingText>” shall remain available for obligation only if the operational directives issued by the Office of Refugee Resettlement between December 1, 2018, and June 15, 2019, to accelerate the identification and approval of sponsors, remain in effect.</content></section>
<section identifier="/us/bill/116/hr/3401/tIII/s303" id="H8666F158229849E78AFA608A09BCA0FD"><num value="303"><inline class="smallCaps">Sec. 303. </inline></num><content class="inline">Funds made available in this Act under the heading “<headingText>Department of Health and Human Services—Administration for Children and Families—Refugee and Entrant Assistance</headingText>” shall be subject to the authorities and conditions of section 224 of division A of the Consolidated Appropriations Act, 2019 (<ref href="/us/pl/116/6">Public Law 1166</ref>).</content></section>
<section identifier="/us/bill/116/hr/3401/tIII/s304" id="H4D77051264D74C0D81ADB3710FBA4B09"><num value="304"><inline class="smallCaps">Sec. 304. </inline></num><chapeau class="inline">None of the funds made available in this Act under the heading “<headingText>Department of Health and Human Services—Administration for Children and Families—Refugee and Entrant Assistance</headingText>” may be obligated to a grantee or contractor to house unaccompanied alien children (as such term is defined in section 462(g)(2) of the Homeland Security Act of 2002 (<ref href="/us/usc/t6/s279/g/2">6 U.S.C. 279(g)(2)</ref>)) in any facility that is not State-licensed for the care of unaccompanied alien children, except in the case that the Secretary of Health and Human Services (the “Secretary”) determines that housing unaccompanied alien children in such a facility is necessary on a temporary basis due to an influx of such children or an emergency: <proviso><i>Provided</i>, That—</proviso></chapeau>
<paragraph identifier="/us/bill/116/hr/3401/tIII/s304/1" id="HDC233C0287304CD2B16F7A68B557A39A" class="indent1"><num value="1">(1) </num><chapeau>the terms of the grant or contract for the operations of any such facility that remains in operation for more than six consecutive months shall require compliance with—</chapeau>
<subparagraph identifier="/us/bill/116/hr/3401/tIII/s304/1/A" id="HDE0A406462BD4441942B2CFE8E709DE0" class="indent2"><num value="A">(A) </num><content>the same requirements as licensed placements, as listed in Exhibit 1 of the Flores Settlement Agreement, regardless of the status of the underlying settlement agreement;</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/3401/tIII/s304/1/B" id="H6EB3962B244B47908E4D35AED209ACC3" class="indent2"><num value="B">(B) </num><content>staffing ratios of 1 on-duty Youth Care Worker for every 8 children or youth during waking hours, 1 on-duty Youth Care Worker for every 16 children or youth during sleeping hours, and clinician ratios to children (including mental health providers) as required in grantee cooperative agreements; and</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/3401/tIII/s304/1/C" id="H2550F388DD18486F8BEEACC68CCDF579" class="indent2"><num value="C">(C) </num><content>access provided to legal services;</content></subparagraph></paragraph>
<paragraph identifier="/us/bill/116/hr/3401/tIII/s304/2" id="HFEB4B9E1F7614CF19FA8BEDD2D9D9C98" class="indent1"><num value="2">(2) </num><content>the Secretary may grant a 60-day waiver for a contractors or grantees non-compliance with paragraph (1) if the Secretary certifies and provides a report to Congress on the contractors or grantees good-faith efforts and progress towards compliance and the report specifies each requirement referenced in paragraph (1) that is being waived for 60 days;</content></paragraph>
<paragraph identifier="/us/bill/116/hr/3401/tIII/s304/3" id="H251111FA4F0A4809AD3B69B91AB45864" class="indent1"><num value="3">(3) </num><chapeau>the Secretary shall not waive requirements for grantees or contractors to provide or arrange for the following services—</chapeau>
<subparagraph identifier="/us/bill/116/hr/3401/tIII/s304/3/A" id="HA2245A66DB2F4018B9AA857DC507642A" class="indent2"><num value="A">(A) </num><content>proper physical care and maintenance, including suitable living accommodations, food, appropriate clothing, and personal grooming items;</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/3401/tIII/s304/3/B" id="HB5632635E33843FFA5588DBE0AD40F3D" class="indent2"><num value="B">(B) </num><content>a complete medical examination (including screening for infectious diseases) within 48 hours of admission, unless the minor was recently examined at another facility;</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/3401/tIII/s304/3/C" id="HBE137A3585454514862F24DAA526234C" class="indent2"><num value="C">(C) </num><content>appropriate routine medical and dental care;</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/3401/tIII/s304/3/D" id="H674474A7BD2F476D97D43EB3E119F3E1" class="indent2"><num value="D">(D) </num><content>at least one individual counseling session per week conducted by trained social work staff with the specific objectives of reviewing a minors progress, establishing new short term objectives, and addressing both the developmental and crisis-related needs of each minor;</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/3401/tIII/s304/3/E" id="H8703D0C1CF1D46D6A1F8F260EFC95052" class="indent2"><num value="E">(E) </num><content>educational services appropriate to the minors level of development, and communication skills in a structured classroom setting, Monday through Friday, which concentrates primarily on the development of basic academic competencies and secondarily on English Language Training;</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/3401/tIII/s304/3/F" id="H8D1E76FFDE664B6FA3663582F987ADD5" class="indent2"><num value="F">(F) </num><content>activities according to a leisure time plan which shall include daily outdoor activity, weather permitting, at least one hour per day of large muscle activity and one hour per day of structured leisure time activities (this should not include time spent watching television). Activities should be increased to three hours on days when school is not in session;</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/3401/tIII/s304/3/G" id="H4D55ADA604344527919DEFF818BF3652" class="indent2"><num value="G">(G) </num><content>whenever possible, access to religious services of the minors choice;</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/3401/tIII/s304/3/H" id="H12C1E68BA36A46AC918B3F3DD2EC5AF5" class="indent2"><num value="H">(H) </num><content>visitation and contact with family members (regardless of their immigration status) which is structured to encourage such visitation. The staff shall respect the minors privacy while reasonably preventing the unauthorized release of the minor;</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/3401/tIII/s304/3/I" id="H4815E409CB2B4F10BF7D84AF47569BD3" class="indent2"><num value="I">(I) </num><content>family reunification services designed to identify relatives in the United States as well as in foreign countries and assistance in obtaining legal guardianship when necessary for the release of the minor; and</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/3401/tIII/s304/3/J" id="H2D635281448E4E8C8759F8BAE8CAF5BE" class="indent2"><num value="J">(J) </num><content>legal services information regarding the availability of free legal assistance, the right to be represented by counsel at no expense to the government, the right to a deportation or exclusion hearing before an immigration judge, the right to apply for political asylum or to request voluntary departure in lieu of deportation;</content></subparagraph></paragraph>
<paragraph identifier="/us/bill/116/hr/3401/tIII/s304/4" id="HFA3352AF28D649898A31445C25D2D624" class="indent1"><num value="4">(4) </num><content>if the Secretary determines that a contractor or grantee is not in compliance with any of the requirements set forth in paragraph (3), the Secretary shall not permit such contractor or grantee to continue to provide services beyond a reasonable period, not to exceed 60 days, needed to award a contract or grant to a new service provider, and the incumbent contractor or grantee shall not be eligible to compete for the new contract or grant;</content></paragraph>
<paragraph identifier="/us/bill/116/hr/3401/tIII/s304/5" id="H3F98F6CAC41A47668C18A6564D5D698E" class="indent1"><num value="5">(5) </num><content>not more than three consecutive waivers under paragraph (2) may be granted to a contractor or grantee with respect to a specific facility;</content></paragraph>
<paragraph identifier="/us/bill/116/hr/3401/tIII/s304/6" id="H6E9170491D554D44A9BDBD3153F65AC7" class="indent1"><num value="6">(6) </num><content>ORR shall ensure full adherence to the monitoring requirements set forth in section 5.5 of its Policies and Procedures Guide as of June 15, 2019;</content></paragraph>
<paragraph identifier="/us/bill/116/hr/3401/tIII/s304/7" id="HFCA54BA48FD94550AE862DA0002916A8" class="indent1"><num value="7">(7) </num><content>for any such unlicensed facility in operation for more than three consecutive months, ORR shall conduct a minimum of one comprehensive monitoring visit during the first three months of operation, with quarterly monitoring visits thereafter; </content></paragraph>
<paragraph identifier="/us/bill/116/hr/3401/tIII/s304/8" id="H7A04D562F66A49569DF72273C349A2A3" class="indent1"><num value="8">(8) </num><content>not later than 60 days after the date of enactment of this Act, ORR shall brief the Committees on Appropriations of the House of Representatives and the Senate outlining the requirements of ORR for influx facilities; and</content></paragraph>
<paragraph identifier="/us/bill/116/hr/3401/tIII/s304/9" id="HE4BDAE85041343FDB1DA4F301FCC362E" class="indent1"><num value="9">(9) </num><content>the amounts provided by this section are designated by the Congress as being for an emergency requirement pursuant to section 251(b)(2)(A)(i) of the Balanced Budget and Emergency Deficit Control Act of 1985.</content></paragraph></section>
<section identifier="/us/bill/116/hr/3401/tIII/s305" id="H13BA154795294703803E7AA08551CF11"><num value="305"><inline class="smallCaps">Sec. 305. </inline></num><content class="inline">In addition to the existing Congressional notification requirements for formal site assessments of potential influx facilities, the Secretary shall notify the Committees on Appropriations of the House of Representatives and the Senate at least 15 days before operationalizing an unlicensed facility, and shall (1) specify whether the facility is hard-sided or soft-sided, and (2) provide analysis that indicates that, in the absence of the influx facility, the likely outcome is that unaccompanied alien children will remain in the custody of the Department of Homeland Security for longer than 72 hours or that unaccompanied alien children will be otherwise placed in danger. Within 60 days of bringing such a facility online, and monthly thereafter, the Secretary shall provide to the Committees on Appropriations of the House of Representatives and the Senate a report detailing the total number of children in care at the facility, the average length of stay and average length of care of children at the facility, and, for any child that has been at the facility for more than 60 days, their length of stay and reason for delay in release.</content></section>
<section identifier="/us/bill/116/hr/3401/tIII/s306" id="H5F8C38CAFB554B7B915640827DD97252"><num value="306"><inline class="smallCaps">Sec. 306. </inline></num><subsection identifier="/us/bill/116/hr/3401/tIII/s306/a" id="H989A251D400C4EF0B6EFBFDBDC76EEE8" class="inline"><num value="a">(a) </num><content>The Secretary shall ensure that, when feasible, no unaccompanied alien child is at an unlicensed facility if the child is not expected to be placed with a sponsor within 30 days.</content></subsection>
<subsection identifier="/us/bill/116/hr/3401/tIII/s306/b" id="H9BA0C77192664B6CAD4EBEC2B96633B2" class="indent0"><num value="b">(b) </num><chapeau>The Secretary shall ensure that no unaccompanied alien child is at an unlicensed facility if the child—</chapeau>
<paragraph identifier="/us/bill/116/hr/3401/tIII/s306/b/1" id="HF09C664AAA72457683A130AEA99D8687" class="indent1"><num value="1">(1) </num><content>is under the age of 13;</content></paragraph>
<paragraph identifier="/us/bill/116/hr/3401/tIII/s306/b/2" id="HDF1E0248EB824BEBBDC2A35F0F1D9CD9" class="indent1"><num value="2">(2) </num><content>does not speak English or Spanish as his or her preferred language;</content></paragraph>
<paragraph identifier="/us/bill/116/hr/3401/tIII/s306/b/3" id="H8628A19310D948A7985C537BE9A84A9F" class="indent1"><num value="3">(3) </num><content>has known special needs, behavioral health issues, or medical issues that would be better served at an alternative facility;</content></paragraph>
<paragraph identifier="/us/bill/116/hr/3401/tIII/s306/b/4" id="HACAB8DEF3D3E435FBF8CC578FF4BEA0B" class="indent1"><num value="4">(4) </num><content>is a pregnant or parenting teen; or</content></paragraph>
<paragraph identifier="/us/bill/116/hr/3401/tIII/s306/b/5" id="HA017195364B24C8B8187AE29ABD03B91" class="indent1"><num value="5">(5) </num><content>would have a diminution of legal services as a result of the transfer to such an unlicensed facility.</content></paragraph></subsection>
<subsection identifier="/us/bill/116/hr/3401/tIII/s306/c" id="H6B2D4CB919ED48D793ECD5AFB7B7C8C8" class="indent0"><num value="c">(c) </num><content>ORR shall notify a childs attorney of record in advance of any transfer, where applicable.</content></subsection></section>
<section identifier="/us/bill/116/hr/3401/tIII/s307" id="H6C74D75340514F5781561A638916F2BC"><num value="307"><inline class="smallCaps">Sec. 307. </inline></num><content class="inline">None of the funds made available in this Act may be used to prevent a United States Senator or Member of the House of Representatives from entering, for the purpose of conducting oversight, any facility in the United States used for the purpose of maintaining custody of, or otherwise housing, unaccompanied alien children (as defined in section 462(g)(2) of the Homeland Security Act of 2002 (<ref href="/us/usc/t6/s279/g/2">6 U.S.C. 279(g)(2)</ref>)): <proviso><i>Provided</i>, That nothing in this section shall be construed to require such a Senator or Member to provide prior notice of the intent to enter such a facility for such purpose.</proviso></content></section>
<section identifier="/us/bill/116/hr/3401/tIII/s308" id="H5524B4E3F6764BEE97299D0CA3704A9F"><num value="308"><inline class="smallCaps">Sec. 308. </inline></num><chapeau class="inline">Not later than 14 days after the date of enactment of this Act, and monthly thereafter, the Secretary of Health and Human Services shall submit to the Committees on Appropriations of the House of Representatives and the Senate, and make publicly available online, a report with respect to children who were separated from their parents or legal guardians by the Department of Homeland Security (DHS) (regardless of whether or not such separation was pursuant to an option selected by the children, parents, or guardians), subsequently classified as unaccompanied alien children, and transferred to the care and custody of ORR during the previous month. Each report shall contain the following information:</chapeau>
<paragraph identifier="/us/bill/116/hr/3401/tIII/s308/1" id="HF73EEF86C2E042F19CC1306AEE9652F7" class="indent1"><num value="1">(1) </num><content>The number and ages of children so separated subsequent to apprehension at or between ports of entry, to be reported by sector where separation occurred.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/3401/tIII/s308/2" id="H031A69734B3A4D10B66415C21580ADC5" class="indent1"><num value="2">(2) </num><content>The documented cause of separation, as reported by DHS when each child was referred.</content></paragraph></section>
<section identifier="/us/bill/116/hr/3401/tIII/s309" id="HBC6CC82185FB45638845563CFF3422C8"><num value="309"><inline class="smallCaps">Sec. 309. </inline></num><content class="inline">Not later than 30 days after the date of enactment of this Act, the Secretary of Health and Human Services shall submit to the Committees on Appropriations of the House of Representatives and the Senate a detailed spend plan of anticipated uses of funds made available in this account, including the following: a list of existing grants and contracts for both permanent and influx facilities, including their costs, capacity, and timelines; costs for expanding capacity through the use of community-based residential care placements (including long-term and transitional foster care and small group homes) through new or modified grants and contracts; current and planned efforts to expand small-scale shelters and available foster care placements, including collaboration with state child welfare providers; influx facilities being assessed for possible use; costs and services to be provided for legal services, child advocates, and post release services; program administration; and the average number of weekly referrals and discharge rate assumed in the spend plan: <proviso><i>Provided</i>, That such plan shall be updated to reflect changes and expenditures and submitted to the Committees on Appropriations of the House of Representatives and the Senate every 60 days until all funds are expended or expire.</proviso></content></section>
<section identifier="/us/bill/116/hr/3401/tIII/s310" id="H5CAB0B679D1E4942B6D285F6154326EA"><num value="310"><inline class="smallCaps">Sec. 310. </inline></num><content class="inline">The Office of Refugee Resettlement shall ensure that its grantees are aware of current law regarding the use of information collected as part of the sponsor vetting process.</content></section>
<section identifier="/us/bill/116/hr/3401/tIII/s311" id="HD6FFA08EBB4244589F8E8CF7C7D7DA09"><num value="311"><inline class="smallCaps">Sec. 311. </inline></num><content class="inline">The Secretary is directed to report the death of any unaccompanied alien child in Office of Refugee Resettlement (ORR) custody or in the custody of any grantee on behalf of ORR within 24 hours, including relevant details regarding the circumstances of the fatality, to the Committees on Appropriations of the House of Representatives and the Senate.</content></section>
<section identifier="/us/bill/116/hr/3401/tIII/s312" id="HF8EBFB504C6346DF84710964EEE7203C"><num value="312"><inline class="smallCaps">Sec. 312. </inline></num><content class="inline">Notwithstanding any other provision of law, funds made available in this Act under the heading “<headingText>Department of Health and Human Services—Administration for Children and Families—Refugee and Entrant Assistance</headingText>” shall only be used for the purposes specifically described under that heading.</content></section>
<section identifier="/us/bill/116/hr/3401/tIII/s313" id="H98B8605D64B54C508139EBD0D29C8E29"><num value="313"><inline class="smallCaps">Sec. 313. </inline></num><subsection identifier="/us/bill/116/hr/3401/tIII/s313/a" id="HAA859120C8194CA08FFAC8C1AE5BC8E4" class="inline"><num value="a">(a) </num><content>The Secretary of Health and Human Services shall ensure that no unaccompanied alien child (as defined in section 462(g)(2) of the Homeland Security Act of 2002 (<ref href="/us/usc/t6/s279/g/2">6 U.S.C. 279(g)(2)</ref>)) spends more than 90 days, in the aggregate, at an unlicensed facility.</content></subsection>
<subsection identifier="/us/bill/116/hr/3401/tIII/s313/b" id="H5B6D8BCA88D04F0F9779EDFF3F7D0FF5" class="indent0"><num value="b">(b) </num><content>Not later than 45 days after the date of enactment of this Act, the Secretary shall ensure transfer to a State-licensed facility for any unaccompanied alien child who has been at an unlicensed facility for longer than 90 days.</content></subsection>
<subsection identifier="/us/bill/116/hr/3401/tIII/s313/c" id="HD34E2886341B42028084D6E7BEC9E7B9" class="indent0"><num value="c">(c) </num><content>Subsections (a) and (b) shall not apply to an unaccompanied alien child when the Secretary determines that a potential sponsor had been identified and the unaccompanied alien child is expected to be placed with the sponsor within 30 days.</content></subsection>
<subsection identifier="/us/bill/116/hr/3401/tIII/s313/d" id="H59FA262B5CCB474399A07FB661135859" class="indent0"><num value="d">(d) </num><content>Notwithstanding subsections (a) and (b), if the Secretary determines there is insufficient space available at State-licensed facilities to transfer an unaccompanied alien child who has been at an unlicensed facility for longer than 90 days, the Secretary shall submit a written justification to the Committees on Appropriations of the House of Representatives and the Senate, and shall submit a summary every two weeks, disaggregated by influx facility, on the number of unaccompanied alien children at each influx facility longer than 90 days, with a summary of both the status of placement and the transfer efforts for all children who have been in care for longer than 90 days.</content></subsection></section></title>
<title identifier="/us/bill/116/hr/3401/tIV" id="H55C5BCD5A52B43FCB4E3076C0BD39782"><num value="IV">TITLE IV</num><heading class="block">GENERAL PROVISIONS—THIS ACT</heading>
<section identifier="/us/bill/116/hr/3401/tIV/s401" id="HF026E67EE02B44A59152EA5EC26AFCB6"><num value="401"><inline class="smallCaps">Sec. 401. </inline></num><subsection identifier="/us/bill/116/hr/3401/tIV/s401/a" id="HCB689F687FF543B39A775B410ECFB2F7" class="inline"><num value="a">(a) </num><heading><inline class="smallCaps">Fiscal Year 2017</inline>.—</heading><content>Funds made available by the Department of State, Foreign Operations, and Related Programs Appropriations Act, 2017 (<ref href="/us/pl/115/31/dJ">division J of Public Law 11531</ref>) that were initially obligated for assistance for El Salvador, Guatemala, and Honduras may not be reprogrammed after the date of enactment of this Act for assistance for a country other than for which such funds were initially obligated: <proviso><i>Provided</i>, That if the Secretary of State suspends assistance for the central government of El Salvador, Guatemala, or Honduras pursuant to section 7045(a)(5) of such Act, not less than 75 percent of the funds for such central government shall be reprogrammed for assistance through nongovernmental organizations or local government entities in such country: </proviso><proviso><i>Provided further</i>, That the balance of such funds shall only be reprogrammed for assistance for countries in the Western Hemisphere.</proviso></content></subsection>
<subsection role="instruction" identifier="/us/bill/116/hr/3401/tIV/s401/b" id="H0A756707090C4260B138F759107FA0FE" class="indent0"><num value="b">(b) </num><heading><inline class="smallCaps">Fiscal Year 2018</inline>.—</heading><content>Section 7045(a) of the Department of State, Foreign Operations, and Related Programs Appropriations Act, 2018 (<ref href="/us/pl/115/141/dK">division K of Public Law 115141</ref>) <amendingAction type="amend">is amended</amendingAction> by <amendingAction type="delete">striking</amendingAction> paragraph (4)(D) and <amendingAction type="insert">inserting</amendingAction> in lieu of paragraph (1) the following paragraph:
<quotedContent styleType="OLC" id="H260EDE9C39C949619897D92704BD1A0F">
<paragraph id="H7CDFB9D71EFC47D0B7851ECB8D2F99D6" class="indent1"><num value="1">“(1) </num><heading><inline class="smallCaps">Funding</inline>.—</heading><content>Subject to the requirements of this subsection, of the funds appropriated under titles III and IV of this Act, not less than $615,000,000 shall be made available for assistance for countries in Central America, of which not less than $452,000,000 shall be for assistance for El Salvador, Guatemala, and Honduras to implement the United States Strategy for Engagement in Central America (the Strategy): <proviso><i>Provided</i>, That such amounts shall be made available notwithstanding any provision of law permitting deviations below such amounts: </proviso><proviso><i>Provided further</i>, That if the Secretary of State cannot make the certifications under paragraph (3), or makes a determination under paragraph (4)(A) or (4)(C) that the central government of El Salvador, Guatemala, or Honduras is not meeting the requirements of this subsection, not less than 75 percent of the funds for such central government shall be reprogrammed for assistance through nongovernmental organizations or local government entities in such country: </proviso><proviso><i>Provided further</i>, That the balance of such funds shall only be reprogrammed for assistance for countries in the Western Hemisphere.”</proviso></content></paragraph></quotedContent><inline role="after-quoted-block">.</inline></content></subsection>
<subsection role="instruction" identifier="/us/bill/116/hr/3401/tIV/s401/c" id="HA2786D39C3CC4921B1ED6B1A7B36422A" class="indent0"><num value="c">(c) </num><heading><inline class="smallCaps">Fiscal Year 2019</inline>.—</heading><content>Section 7045(a) of the Department of State, Foreign Operations, and Related Programs Appropriations Act, 2019 (<ref href="/us/pl/116/6/dF">division F of Public Law 1166</ref>) <amendingAction type="amend">is amended</amendingAction> by <amendingAction type="delete">striking</amendingAction> paragraph (2)(C) and <amendingAction type="insert">inserting</amendingAction> at the end, between paragraph (4)(B) and subsection (b), the following new paragraph:
<quotedContent styleType="appropriations" id="HB7402BFE5DA04E6A98D6734A098B028B">
<paragraph id="HABF7FAE82D8846A5941D80F26A97864F" class="indent1"><num value="5">“(5) </num><heading><inline class="smallCaps">Funding</inline>.—</heading><content>Subject to the requirements of this subsection, of the funds appropriated under titles III and IV of this Act, not less than $540,850,000 shall be made available for assistance for countries in Central America, of which not less than $452,000,000 shall be made available for assistance for El Salvador, Guatemala, and Honduras to implement the United States Strategy for Engagement in Central America: <proviso><i>Provided</i>, That such amounts shall be made available notwithstanding any provision of law permitting deviations below such amounts: </proviso><proviso><i>Provided further</i>, That if the Secretary of State cannot make the certification under paragraph (1), or makes a determination under paragraph (2) that the central government of El Salvador, Guatemala, or Honduras is not meeting the requirements of this subsection, not less than 75 percent of the funds for such central government shall be reprogrammed for assistance through nongovernmental organizations or local government entities in such country: </proviso><proviso><i>Provided further</i>, That the balance of such funds shall only be reprogrammed for assistance for countries in the Western Hemisphere.”</proviso></content></paragraph></quotedContent><inline role="after-quoted-block">.</inline></content></subsection></section>
<section identifier="/us/bill/116/hr/3401/tIV/s402" id="HF5ECAED0BF9A4CEB80A95C6E32139BEB"><num value="402"><inline class="smallCaps">Sec. 402. </inline></num><content class="inline">Each amount appropriated or made available by this Act is in addition to amounts otherwise appropriated for the fiscal year involved.</content></section>
<section identifier="/us/bill/116/hr/3401/tIV/s403" id="H5B45FC8BFBC44B6CAA54FDAAB2947B70"><num value="403"><inline class="smallCaps">Sec. 403. </inline></num><content class="inline">No part of any appropriation contained in this Act shall remain available for obligation beyond the current fiscal year unless expressly so provided herein.</content></section>
<section identifier="/us/bill/116/hr/3401/tIV/s404" id="H0BB6985DDA5548CDAFDE8DB1C9B8FB37"><num value="404"><inline class="smallCaps">Sec. 404. </inline></num><content class="inline">Unless otherwise provided for by this Act, the additional amounts appropriated by this Act to appropriations accounts shall be available under the authorities and conditions applicable to such appropriations accounts for fiscal year 2019.</content></section>
<section identifier="/us/bill/116/hr/3401/tIV/s405" id="HC178321FD4C74A85AFED6156173AA2FC"><num value="405"><inline class="smallCaps">Sec. 405. </inline></num><content class="inline">Each amount designated in this Act by the Congress as being for an emergency requirement pursuant to section 251(b)(2)(A)(i) of the Balanced Budget and Emergency Deficit Control Act of 1985 shall be available (or rescinded or transferred, if applicable) only if the President subsequently so designates all such amounts and transmits such designations to the Congress.</content></section>
<section identifier="/us/bill/116/hr/3401/tIV/s406" id="H11B706D13DA84595BDF8179EF9B84947"><num value="406"><inline class="smallCaps">Sec. 406. </inline></num><content class="inline">Any amount appropriated by this Act, designated by the Congress as being for an emergency requirement pursuant to section 251(b)(2)(A)(i) of the Balanced Budget and Emergency Deficit Control Act of 1985 and subsequently so designated by the President, and transferred pursuant to transfer authorities provided by this Act shall retain such designation.</content></section><section id="HC2C472E9CC5A4FD7BCA9BE2A8551573F" class="inline"><content class="block inline">This Act may be cited as the “<shortTitle role="act">Emergency Supplemental Appropriations for Humanitarian Assistance and Security at the Southern Border Act, 2019</shortTitle>”.</content></section></title></main>
<attestation><action><actionDescription>Passed the House of Representatives </actionDescription><date date="2019-06-25" meta="chamber:House">June 25, 2019</date>.</action>
<signatures>
<signature><notation type="attestation">Attest: </notation><name>CHERYL L. JOHNSON,</name><role>Clerk.</role></signature></signatures></attestation></bill>

View File

@@ -0,0 +1,35 @@
<?xml version="1.0" encoding="UTF-8"?><?xml-stylesheet type="text/css" href="uslm.css"?><bill xmlns="http://schemas.gpo.gov/xml/uslm" xmlns:dc="http://purl.org/dc/elements/1.1/" xmlns:html="http://www.w3.org/1999/xhtml" xmlns:uslm="http://schemas.gpo.gov/xml/uslm" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://schemas.gpo.gov/xml/uslm uslm-2.1.0.xsd" xml:lang="en" id="H0FC9F981A1D54DEC8B8FE12AE4F2DB25"><!--Disclaimer: Legislative measures that include compacts or other non-standard data structures will require additional modeling and may contain inconsistencies in the converted USLM XML.--> <meta>
<dc:title>116 HR 3945 IH: Making supplemental appropriations for the Army Corps of Engineers for flood control projects and storm damage reduction projects in areas affected by flooding in the city of Jacksonville, Florida, and for other purposes.</dc:title>
<dc:type>House Bill</dc:type>
<docNumber>3945</docNumber>
<citableAs>116 HR 3945 IH</citableAs>
<citableAs>116hr3945ih</citableAs>
<citableAs>116 H. R. 3945 IH</citableAs>
<docStage>Introduced in House</docStage>
<currentChamber>HOUSE</currentChamber>
<dc:creator>United States House of Representatives</dc:creator>
<processedBy>GPO XPub Bill to USLM Generator, version 0.5 + manual changes</processedBy>
<processedDate>2024-09-09</processedDate>
<dc:publisher>United States Government Publishing Office</dc:publisher>
<dc:format>text/xml</dc:format>
<dc:language>EN</dc:language>
<dc:rights>Pursuant to Title 17 Section 105 of the United States Code, this file is not subject to copyright protection and is in the public domain.</dc:rights>
<congress>116</congress>
<session>1</session>
<publicPrivate>public</publicPrivate></meta>
<preface>
<slugLine>•HR 3945 IH</slugLine>
<distributionCode display="yes">I</distributionCode>
<congress value="116">116th CONGRESS</congress>
<session value="1">1st Session</session>
<dc:type>H. R. </dc:type>
<docNumber>3945</docNumber>
<dc:title>Making supplemental appropriations for the Army Corps of Engineers for flood control projects and storm damage reduction projects in areas affected by flooding in the city of Jacksonville, Florida, and for other purposes.</dc:title>
<currentChamber value="HOUSE">IN THE HOUSE OF REPRESENTATIVES</currentChamber>
<action><date date="2019-07-24"><inline class="smallCaps">July </inline>24, 2019</date><actionDescription> <sponsor bioGuideId="L000586">Mr. <inline class="smallCaps">Lawson</inline> of Florida</sponsor> introduced the following bill; which was referred to the <committee committeeId="HAP00">Committee on Appropriations</committee>, and in addition to the Committee on <committee committeeId="HBU00">the Budget</committee>, for a period to be subsequently determined by the Speaker, in each case for consideration of such provisions as fall within the jurisdiction of the committee concerned</actionDescription></action></preface>
<main id="H353D6A9BCC6A406BADB781B03383D9B3" styleType="traditional"><longTitle><docTitle>A BILL</docTitle><officialTitle>Making supplemental appropriations for the Army Corps of Engineers for flood control projects and storm damage reduction projects in areas affected by flooding in the city of Jacksonville, Florida, and for other purposes.</officialTitle></longTitle><enactingFormula><i>Be it enacted by the Senate and House of Representatives of the United States of America in Congress assembled, </i></enactingFormula><section id="HEAC278679DF04FF6A8C88A7BF669059B" class="inline"><chapeau class="inline"> That the following sums are appropriated, out of any money in the Treasury not otherwise appropriated, for the fiscal year ending September 30, 2019:</chapeau>
<appropriations level="major" id="H3067040CD902493EA205AB8224F8677C"><heading>DEPARTMENT OF THE ARMY</heading></appropriations>
<appropriations level="intermediate" id="H5372DAA5CDE440F99D1C928230556C46"><heading>Corps of Engineers—Civil</heading></appropriations>
<appropriations level="small" id="H846A07BF48534E97943E8EA58B022801"><heading><inline class="smallCaps">construction</inline></heading><content>
For an additional amount for “Construction” for flood control projects and storm damage reduction projects in areas affected by flooding in the city of Jacksonville, Florida, that have received a major disaster declaration pursuant to the Robert T. Stafford Disaster Relief and Emergency Assistance Act, $116,968,000, to remain available through fiscal year 2028: <proviso><i>Provided</i>, That upon approval of the Committees on Appropriations of the House of Representatives and the Senate these funds may be used to construct any project by the Corps for reducing flooding and storm damage risks in the city of Jacksonville, Florida, that the Secretary determines is technically feasible, economically justified, and environmentally acceptable: </proviso><proviso><i>Provided further</i>, That projects using these funds shall be at full Federal expense with respect to such funds: </proviso><proviso><i>Provided further</i>, That such amount is designated by the Congress as being for disaster relief pursuant to section 251(b)(2)(D) of the Balanced Budget and Emergency Deficit Control Act of 1985.</proviso></content></appropriations></section><level>
<p>This Act may be cited as the “<shortTitle role="act">Flood Water Relief Act of 2019</shortTitle>”. </p></level></main><endMarker>○</endMarker></bill>

View File

@@ -0,0 +1,272 @@
<?xml version="1.0" encoding="UTF-8"?><?xml-stylesheet type="text/css" href="uslm.css"?><bill xmlns="http://schemas.gpo.gov/xml/uslm" xmlns:dc="http://purl.org/dc/elements/1.1/" xmlns:html="http://www.w3.org/1999/xhtml" xmlns:uslm="http://schemas.gpo.gov/xml/uslm" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://schemas.gpo.gov/xml/uslm uslm-2.1.0.xsd" xml:lang="en" id="H9DA46908B0E04396834C6EB4F082E231"><!--Disclaimer: Legislative measures that include compacts or other non-standard data structures will require additional modeling and may contain inconsistencies in the converted USLM XML.--> <meta>
<dc:title>116 HR 7440 CPH: To impose sanctions with respect to foreign persons involved in the erosion of certain obligations of China with respect to Hong Kong, and for other purposes.</dc:title>
<dc:type>House Bill</dc:type>
<docNumber>7440</docNumber>
<citableAs>116 HR 7440 CPH</citableAs>
<citableAs>116hr7440cph</citableAs>
<citableAs>116 H. R. 7440 CPH</citableAs>
<docStage>Considered and Passed House</docStage>
<currentChamber>HOUSE</currentChamber>
<dc:creator>United States House of Representatives</dc:creator>
<processedBy>GPO XPub Bill to USLM Generator, version 0.5 + manual changes</processedBy>
<processedDate>2024-09-09</processedDate>
<dc:publisher>United States Government Publishing Office</dc:publisher>
<dc:format>text/xml</dc:format>
<dc:language>EN</dc:language>
<dc:rights>Pursuant to Title 17 Section 105 of the United States Code, this file is not subject to copyright protection and is in the public domain.</dc:rights>
<congress>116</congress>
<session>2</session>
<publicPrivate>public</publicPrivate></meta>
<preface>
<slugLine>•HR 7440 CPH</slugLine>
<distributionCode display="yes">I</distributionCode>
<congress value="116">116th CONGRESS</congress>
<session value="2">2d Session</session>
<dc:type>H. R. </dc:type>
<docNumber>7440</docNumber>
<dc:title>To impose sanctions with respect to foreign persons involved in the erosion of certain obligations of China with respect to Hong Kong, and for other purposes.</dc:title>
<currentChamber value="HOUSE">IN THE HOUSE OF REPRESENTATIVES</currentChamber>
<action><date date="2020-07-01"><inline class="smallCaps">July </inline>1, 2020</date><actionDescription><sponsor bioGuideId="S000344">Mr. <inline class="smallCaps">Sherman</inline></sponsor> (for himself, <cosponsor bioGuideId="Y000065">Mr. <inline class="smallCaps">Yoho</inline></cosponsor>, <cosponsor bioGuideId="M000087">Mrs. <inline class="smallCaps">Carolyn B. Maloney</inline> of New York</cosponsor>, <cosponsor bioGuideId="C001114">Mr. <inline class="smallCaps">Curtis</inline></cosponsor>, <cosponsor bioGuideId="C001078">Mr. <inline class="smallCaps">Connolly</inline></cosponsor>, <cosponsor bioGuideId="B001282">Mr. <inline class="smallCaps">Barr</inline></cosponsor>, <cosponsor bioGuideId="S001201">Mr. <inline class="smallCaps">Suozzi</inline></cosponsor>, <cosponsor bioGuideId="R000610">Mr. <inline class="smallCaps">Reschenthaler</inline></cosponsor>, <cosponsor bioGuideId="S001209">Ms. <inline class="smallCaps">Spanberger</inline></cosponsor>, <cosponsor bioGuideId="F000466">Mr. <inline class="smallCaps">Fitzpatrick</inline></cosponsor>, <cosponsor bioGuideId="G000591">Mr. <inline class="smallCaps">Guest</inline></cosponsor>, and <cosponsor bioGuideId="P000605">Mr. <inline class="smallCaps">Perry</inline></cosponsor>) introduced the following bill; which was referred to the <committee committeeId="HFA00">Committee on Foreign Affairs</committee>, and in addition to the Committees on <committee committeeId="HJU00">the Judiciary</committee>, <committee committeeId="HBA00">Financial Services</committee>, <committee committeeId="HWM00">Ways and Means</committee>, and <committee committeeId="HRU00">Rules</committee>, for a period to be subsequently determined by the Speaker, in each case for consideration of such provisions as fall within the jurisdiction of the committee concerned</actionDescription></action>
<action><date date="2020-07-01"><inline class="smallCaps">July </inline>1, 2020</date><actionDescription>The Committees on Foreign Affairs, the Judiciary, Financial Services, Ways and Means, and Rules discharged; considered and passed</actionDescription></action></preface>
<main id="HD16F086F25CB4184A1C743A7936D9B30" styleType="OLC"><longTitle><docTitle>A BILL</docTitle><officialTitle>To impose sanctions with respect to foreign persons involved in the erosion of certain obligations of China with respect to Hong Kong, and for other purposes.</officialTitle></longTitle><enactingFormula><i>Be it enacted by the Senate and House of Representatives of the United States of America in Congress assembled, </i></enactingFormula>
<section identifier="/us/bill/116/hr/7440/s1" id="H266B4D8D46F24A4499723184E57A389C"><num value="1">SECTION 1. </num><heading>SHORT TITLE; TABLE OF CONTENTS.</heading>
<subsection identifier="/us/bill/116/hr/7440/s1/a" id="H2F9E57BED11343DBAEA2F90C30F41BA4" class="indent0"><num value="a">(a) </num><heading><inline class="smallCaps">Short Title</inline>.—</heading><content>This Act may be cited as the “<shortTitle role="act">Hong Kong Autonomy Act</shortTitle>”.</content></subsection>
<subsection identifier="/us/bill/116/hr/7440/s1/b" id="HAE287FAC26FB46A8BCD101E6E43522EA" class="indent0"><num value="b">(b) </num><heading><inline class="smallCaps">Table of Contents</inline>.—</heading><content>The table of contents for this Act is as follows:
<toc>
<referenceItem role="section" idref="H266B4D8D46F24A4499723184E57A389C">
<designator>Sec.1.</designator>
<label>Short title; table of contents.</label>
</referenceItem>
<referenceItem role="section" idref="H92F416FECDCE4739917FDBF44371C5FD">
<designator>Sec.2.</designator>
<label>Definitions.</label>
</referenceItem>
<referenceItem role="section" idref="H20659CAAE2B74709ABDF96F7EB46C591">
<designator>Sec.3.</designator>
<label>Findings.</label>
</referenceItem>
<referenceItem role="section" idref="H797E149A075141C8A6F8D757F1D43A07">
<designator>Sec.4.</designator>
<label>Sense of Congress regarding Hong Kong.</label>
</referenceItem>
<referenceItem role="section" idref="H9B22402D845B4F67BE53C52AF2D5ED77">
<designator>Sec.5.</designator>
<label>Identification of foreign persons involved in the erosion of the obligations of China under the Joint Declaration or the Basic Law and foreign financial institutions that conduct significant transactions with those persons.</label>
</referenceItem>
<referenceItem role="section" idref="HAC1D54E47AF5436FA8957CE9BDCA344C">
<designator>Sec.6.</designator>
<label>Sanctions with respect to foreign persons that contravene the obligations of China under the Joint Declaration or the Basic Law.</label>
</referenceItem>
<referenceItem role="section" idref="H79D65B54DFDC45BE9CD14EFB5ABEF6C3">
<designator>Sec.7.</designator>
<label>Sanctions with respect to foreign financial institutions that conduct significant transactions with foreign persons that contravene the obligations of China under the Joint Declaration or the Basic Law.</label>
</referenceItem>
<referenceItem role="section" idref="HF00E1A82D4CD452C86F047A8F715524E">
<designator>Sec.8.</designator>
<label>Waiver, termination, exceptions, and congressional review process.</label>
</referenceItem>
<referenceItem role="section" idref="HD532553A9A154DCDBB1681475A21EABD">
<designator>Sec.9.</designator>
<label>Implementation; penalties.</label>
</referenceItem>
<referenceItem role="section" idref="H20E85EF88FE54A7A8156137C11A29DAF">
<designator>Sec.10.</designator>
<label>Rule of construction.</label>
</referenceItem></toc></content></subsection></section>
<section identifier="/us/bill/116/hr/7440/s2" id="H92F416FECDCE4739917FDBF44371C5FD"><num value="2">SEC. 2. </num><heading>DEFINITIONS.</heading>
<chapeau class="indent0">In this Act:</chapeau>
<paragraph role="definitions" identifier="/us/bill/116/hr/7440/s2/1" id="HE7DFE4F4288C49DBA4C37F7208623D76" class="indent1"><num value="1">(1) </num><heading><inline class="smallCaps">Alien; national; national of the united states</inline>.—</heading><content>The terms “<term>alien</term>”, “<term>national</term>”, and “<term>national of the United States</term>” have the meanings given those terms in section 101 of the Immigration and Nationality Act (<ref href="/us/usc/t8/s1101">8 U.S.C. 1101</ref>).</content></paragraph>
<paragraph role="definitions" identifier="/us/bill/116/hr/7440/s2/2" id="HFC26C0EB976D447683B291316E1F92AE" class="indent1"><num value="2">(2) </num><heading><inline class="smallCaps">Appropriate congressional committees and leadership</inline>.—</heading><chapeau>The term “<term>appropriate congressional committees and leadership</term>” means—</chapeau>
<subparagraph identifier="/us/bill/116/hr/7440/s2/2/A" id="H87142F42780A432A8977F680F4D2D7EC" class="indent2"><num value="A">(A) </num><content>the Committee on Armed Services, the Committee on Banking, Housing, and Urban Affairs, the Committee on Foreign Relations, the Committee on Homeland Security and Governmental Affairs, the Committee on the Judiciary, the Select Committee on Intelligence, and the majority leader and the minority leader of the Senate; and</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/7440/s2/2/B" id="HAC3BBDA8238B42C6B73C233C3E4BD215" class="indent2"><num value="B">(B) </num><content>the Committee on Armed Services, the Committee on Financial Services, the Committee on Foreign Affairs, the Committee on Homeland Security, the Committee on the Judiciary, the Permanent Select Committee on Intelligence, and the Speaker and the minority leader of the House of Representatives.</content></subparagraph></paragraph>
<paragraph role="definitions" identifier="/us/bill/116/hr/7440/s2/3" id="H8E4FD923973544D28C13149B39785C75" class="indent1"><num value="3">(3) </num><heading><inline class="smallCaps">Basic law</inline>.—</heading><content>The term “<term>Basic Law</term>” means the Basic Law of the Hong Kong Special Administrative Region of the Peoples Republic of China.</content></paragraph>
<paragraph role="definitions" identifier="/us/bill/116/hr/7440/s2/4" id="H82AC26D8052C466A998C0D5DA8BFAC74" class="indent1"><num value="4">(4) </num><heading><inline class="smallCaps">China</inline>.—</heading><content>The term “<term>China</term>” means the Peoples Republic of China.</content></paragraph>
<paragraph role="definitions" identifier="/us/bill/116/hr/7440/s2/5" id="H5F9393B93C2944D6B3C4BC876FDEE472" class="indent1"><num value="5">(5) </num><heading><inline class="smallCaps">Entity</inline>.—</heading><content>The term “<term>entity</term>” means a partnership, joint venture, association, corporation, organization, network, group, or subgroup, or any other form of business collaboration.</content></paragraph>
<paragraph role="definitions" identifier="/us/bill/116/hr/7440/s2/6" id="HA8B4D3D00A8A44EDAC2FF5ACC473C1BC" class="indent1"><num value="6">(6) </num><heading><inline class="smallCaps">Financial institution</inline>.—</heading><content>The term “<term>financial institution</term>” means a financial institution specified in <ref href="/us/usc/t31/s5312/a/2">section 5312(a)(2) of title 31, United States Code</ref>.</content></paragraph>
<paragraph role="definitions" identifier="/us/bill/116/hr/7440/s2/7" id="H03E17DC6E667472AAEDAB48CC902CE43" class="indent1"><num value="7">(7) </num><heading><inline class="smallCaps">Hong kong</inline>.—</heading><content>The term “<term>Hong Kong</term>” means the Hong Kong Special Administrative Region of the Peoples Republic of China.</content></paragraph>
<paragraph role="definitions" identifier="/us/bill/116/hr/7440/s2/8" id="HDD4E3F6E8BAD40A19C68ECAFDA7AB06A" class="indent1"><num value="8">(8) </num><heading><inline class="smallCaps">Joint declaration</inline>.—</heading><content>The term “<term>Joint Declaration</term>” means the Joint Declaration of the Government of the United Kingdom of Great Britain and Northern Ireland and the Government of the Peoples Republic of China on the Question of Hong Kong, done at Beijing on December 19, 1984.</content></paragraph>
<paragraph role="definitions" identifier="/us/bill/116/hr/7440/s2/9" id="H299959A20BCE4C9EBBE3E8A7224DD777" class="indent1"><num value="9">(9) </num><heading><inline class="smallCaps">Knowingly</inline>.—</heading><content>The term “<term>knowingly</term>”, with respect to conduct, a circumstance, or a result, means that a person has actual knowledge of the conduct, the circumstance, or the result. </content></paragraph>
<paragraph role="definitions" identifier="/us/bill/116/hr/7440/s2/10" id="H7BD149031CE14F6F86BABA60F26DAFC4" class="indent1"><num value="10">(10) </num><heading><inline class="smallCaps">Person</inline>.—</heading><content>The term “<term>person</term>” means an individual or entity.</content></paragraph>
<paragraph role="definitions" identifier="/us/bill/116/hr/7440/s2/11" id="HAB54CAB737A048429F24D8C4C6763192" class="indent1"><num value="11">(11) </num><heading><inline class="smallCaps">United states person</inline>.—</heading><chapeau>The term “<term>United States person</term>” means—</chapeau>
<subparagraph identifier="/us/bill/116/hr/7440/s2/11/A" id="H326F5CA8AB7F49B395D5D8AD8A522894" class="indent2"><num value="A">(A) </num><content>any citizen or national of the United States;</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/7440/s2/11/B" id="HE3B1DD8B5F704C73930435AE0A960E8F" class="indent2"><num value="B">(B) </num><content>any alien lawfully admitted for permanent residence in the United States;</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/7440/s2/11/C" id="H675548E949F44E439AFBAC5FF196406D" class="indent2"><num value="C">(C) </num><content>any entity organized under the laws of the United States or any jurisdiction within the United States (including a foreign branch of such an entity); or</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/7440/s2/11/D" id="HCA8370E817B44E989CB1EA34B4FBE216" class="indent2"><num value="D">(D) </num><content>any person located in the United States.</content></subparagraph></paragraph></section>
<section identifier="/us/bill/116/hr/7440/s3" id="H20659CAAE2B74709ABDF96F7EB46C591"><num value="3">SEC. 3. </num><heading>FINDINGS.</heading>
<chapeau class="indent0">Congress makes the following findings:</chapeau>
<paragraph identifier="/us/bill/116/hr/7440/s3/1" id="HD6EC9D0BB6BF440FB91ABE593DD4340E" class="indent1"><num value="1">(1) </num><content>The Joint Declaration and the Basic Law clarify certain obligations and promises that the Government of China has made with respect to the future of Hong Kong.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/7440/s3/2" id="HE589F2C6C3D34367AF6E1450B6A98FE0" class="indent1"><num value="2">(2) </num><content>The obligations of the Government of China under the Joint Declaration were codified in a legally-binding treaty, signed by the Government of the United Kingdom of Great Britain and Northern Ireland and registered with the United Nations.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/7440/s3/3" id="H1822420AE6CE4A7BA67CCC4B02F92135" class="indent1"><num value="3">(3) </num><content>The obligations of the Government of China under the Basic Law originate from the Joint Declaration, were passed into the domestic law of China by the National Peoples Congress, and are widely considered by citizens of Hong Kong as part of the de facto legal constitution of Hong Kong.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/7440/s3/4" id="HE57F90F90D0A427C9285AD71B0900DCB" class="indent1"><num value="4">(4) </num><content>Foremost among the obligations of the Government of China to Hong Kong is the promise that, pursuant to Paragraph 3b of the Joint Declaration, “the Hong Kong Special Administrative Region will enjoy a high degree of autonomy, except in foreign and defence affairs which are the responsibilities of the Central Peoples Government”.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/7440/s3/5" id="HB073E41283314BDF8E6E0292A7B4D603" class="indent1"><num value="5">(5) </num><content>The obligation specified in Paragraph 3b of the Joint Declaration is referenced, reinforced, and extrapolated on in several portions of the Basic Law, including Articles 2, 12, 13, 14, and 22.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/7440/s3/6" id="H8A670580E7AA494DBD74D5E3EC674A05" class="indent1"><num value="6">(6) </num><content>Article 22 of the Basic Law establishes that “No department of the Central Peoples Government and no province, autonomous region, or municipality directly under the Central Government may interfere in the affairs which the Hong Kong Special Administrative Region administers on its own in accordance with this Law.”.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/7440/s3/7" id="HB23EF43A772B4445B5D3C495F9911F3E" class="indent1"><num value="7">(7) </num><content>The Joint Declaration and the Basic Law make clear that additional obligations shall be undertaken by China to ensure the “high degree of autonomy” of Hong Kong.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/7440/s3/8" id="H25024FDD8BA144A3BA01329046E79E9E" class="indent1"><num value="8">(8) </num><content>Paragraph 3c of the Joint Declaration states, as reinforced by Articles 2, 16, 17, 18, 19, and 22 of the Basic Law, that Hong Kong “will be vested with executive, legislative and independent judicial power, including that of final adjudication”.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/7440/s3/9" id="HDD83B70781F74D5ABE825E34D8599F5E" class="indent1"><num value="9">(9) </num><chapeau>On multiple occasions, the Government of China has undertaken actions that have contravened the letter or intent of the obligation described in paragraph (8) of this section, including the following:</chapeau>
<subparagraph identifier="/us/bill/116/hr/7440/s3/9/A" id="H26F20F8112264965AB8468AB74ADF95F" class="indent2"><num value="A">(A) </num><content>In 1999, the Standing Committee of the National Peoples Congress overruled a decision by the Hong Kong Court of Final Appeal on the right of abode.</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/7440/s3/9/B" id="HC4DE8F963D854B3880F57459177CDF33" class="indent2"><num value="B">(B) </num><content>On multiple occasions, the Government of Hong Kong, at the advice of the Government of China, is suspected to have not allowed persons entry into Hong Kong allegedly because of their support for democracy and human rights in Hong Kong and China.</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/7440/s3/9/C" id="H5991F389D3FA4E3983F94D8316FAD8D4" class="indent2"><num value="C">(C) </num><chapeau>The Liaison Office of China in Hong Kong has, despite restrictions on interference in the affairs of Hong Kong as detailed in Article 22 of the Basic Law—</chapeau>
<clause identifier="/us/bill/116/hr/7440/s3/9/C/i" id="H8596782652A641CFA163AD2443C3D03F" class="indent3"><num value="i">(i) </num><content>openly expressed support for candidates in Hong Kong for Chief Executive and Legislative Council;</content></clause>
<clause identifier="/us/bill/116/hr/7440/s3/9/C/ii" id="H1E09307CD53C405398BA80405113BDC3" class="indent3"><num value="ii">(ii) </num><content>expressed views on various policies for the Government of Hong Kong and other internal matters relating to Hong Kong; and</content></clause>
<clause identifier="/us/bill/116/hr/7440/s3/9/C/iii" id="H0E05946865ED4904A35063DA0C2A608E" class="indent3"><num value="iii">(iii) </num><content>on April 17, 2020, asserted that both the Liaison Office of China in Hong Kong and the Hong Kong and Macau Affairs Office of the State Council “have the right to exercise supervision … on affairs regarding Hong Kong and the mainland, in order to ensure correct implementation of the Basic Law”.</content></clause></subparagraph>
<subparagraph identifier="/us/bill/116/hr/7440/s3/9/D" id="HC5C16B5B74194F449BF4C87A1F5BAECA" class="indent2"><num value="D">(D) </num><content>The National Peoples Congress has passed laws requiring Hong Kong to pass laws banning disrespectful treatment of the national flag and national anthem of China.</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/7440/s3/9/E" id="H62EE865AAF954691A31D4A0349DF1A0D" class="indent2"><num value="E">(E) </num><content>The State Council of China released a white paper on June 10, 2014, that stressed the “comprehensive jurisdiction” of the Government of China over Hong Kong and indicated that Hong Kong must be governed by “patriots”.</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/7440/s3/9/F" id="H242AB4FD74844FDA82A323F1A3322728" class="indent2"><num value="F">(F) </num><content>The Government of China has directed operatives to kidnap and bring to the mainland, or is otherwise responsible for the kidnapping of, residents of Hong Kong, including businessman Xiao Jianhua and bookseller Gui Minhai.</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/7440/s3/9/G" id="H9FD4F589E50443858A637CA6A57F83F4" class="indent2"><num value="G">(G) </num><content>The Government of Hong Kong, acting with the support of the Government of China, introduced an extradition bill that would have permitted the Government of China to request and enforce extradition requests for any individual present in Hong Kong, regardless of the legality of the request or the degree to which it compromised the judicial independence of Hong Kong.</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/7440/s3/9/H" id="HE0622897384F4214A44AAD6A088CBE24" class="indent2"><num value="H">(H) </num><content>The spokesman for the Standing Committee of the National Peoples Congress said, “Whether Hong Kongs laws are consistent with the Basic Law can only be judged and decided by the National Peoples Congress Standing Committee. No other authority has the right to make judgments and decisions.”.</content></subparagraph></paragraph>
<paragraph identifier="/us/bill/116/hr/7440/s3/10" id="H707471047BD94B61B555075E5B2A3B6E" class="indent1"><num value="10">(10) </num><content>Paragraph 3e of the Joint Declaration states, as reinforced by Article 5 of the Basic Law, that the “current social and economic systems in Hong Kong will remain unchanged, as so will the life-style.”.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/7440/s3/11" id="HB6DE6B1613F242A3BE4B9845D0E5142A" class="indent1"><num value="11">(11) </num><chapeau>On multiple occasions, the Government of China has undertaken actions that have contravened the letter or intent of the obligation described in paragraph (10) of this section, including the following:</chapeau>
<subparagraph identifier="/us/bill/116/hr/7440/s3/11/A" id="HBDE3B68F7F3941DB963600267D88FF5E" class="indent2"><num value="A">(A) </num><content>In 2002, the Government of China pressured the Government of Hong Kong to introduce “patriotic” curriculum in primary and secondary schools.</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/7440/s3/11/B" id="H2B05AC2FAB874D21903D687FD8736544" class="indent2"><num value="B">(B) </num><content>The governments of China and Hong Kong proposed the prohibition of discussion of Hong Kong independence and self-determination in primary and secondary schools, which infringes on freedom of speech.</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/7440/s3/11/C" id="HE9EE0B9248E544D48350BF04E3984FB0" class="indent2"><num value="C">(C) </num><content>The Government of Hong Kong mandated that Mandarin, and not the native language of Cantonese, be the language of instruction in Hong Kong schools.</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/7440/s3/11/D" id="H256920F2A8324615991ABB8E3EB5E55A" class="indent2"><num value="D">(D) </num><content>The governments of China and Hong Kong agreed to a daily quota of mainland immigrants to Hong Kong, which is widely believed by citizens of Hong Kong to be part of an effort to “mainlandize” Hong Kong.</content></subparagraph></paragraph>
<paragraph identifier="/us/bill/116/hr/7440/s3/12" id="HF702B78512454E36B0BC128AE3403BF4" class="indent1"><num value="12">(12) </num><content>Paragraph 3e of the Joint Declaration states, as reinforced by Articles 4, 26, 27, 28, 29, 30, 31, 32 33, 34, and 39 of the Basic Law, that the “rights and freedoms, including those of person, of speech, of the press, of assembly, of association, of travel, of movement, of correspondence, of strike, of choice of occupation, of academic research and of religious belief will be ensured by law” in Hong Kong.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/7440/s3/13" id="HDDC33E35695349BFAEAEE8686DADC8D9" class="indent1"><num value="13">(13) </num><chapeau>On multiple occasions, the Government of China has undertaken actions that have contravened the letter or intent of the obligation described in paragraph (12) of this section, including the following:</chapeau>
<subparagraph identifier="/us/bill/116/hr/7440/s3/13/A" id="HA8BB4427834A449FA45FCF91C849DFD3" class="indent2"><num value="A">(A) </num><content>On February 26, 2003, the Government of Hong Kong introduced a national security bill that would have placed restrictions on freedom of speech and other protected rights.</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/7440/s3/13/B" id="HD9410368BA4B4791841BA5A36FC873BC" class="indent2"><num value="B">(B) </num><content>The Liaison Office of China in Hong Kong has pressured businesses in Hong Kong not to advertise in newspapers and magazines critical of the governments of China and Hong Kong.</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/7440/s3/13/C" id="HA25F23D1F4624AE18207212C81CC5DDB" class="indent2"><num value="C">(C) </num><content>The Hong Kong Police Force selectively blocked demonstrations and protests expressing opposition to the governments of China and Hong Kong or the policies of those governments.</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/7440/s3/13/D" id="HF10C9489BB094C8E89FE64D2E60CABDB" class="indent2"><num value="D">(D) </num><content>The Government of Hong Kong refused to renew work visa for a foreign journalist, allegedly for hosting a speaker from the banned Hong Kong National Party.</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/7440/s3/13/E" id="HBE1A2CE09FEF4FDA9D1A976C257D6C5A" class="indent2"><num value="E">(E) </num><content>The Justice Department of Hong Kong selectively prosecuted cases against leaders of the Umbrella Movement, while failing to prosecute police officers accused of using excessive force during the protests in 2014.</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/7440/s3/13/F" id="HA656419ACF404A288D6714AEDF3AC83B" class="indent2"><num value="F">(F) </num><content>On April 18, 2020, the Hong Kong Police Force arrested 14 high-profile democracy activists and campaigners for their role in organizing a protest march that took place on August 18, 2019, in which almost 2,000,000 people rallied against a proposed extradition bill. </content></subparagraph></paragraph>
<paragraph identifier="/us/bill/116/hr/7440/s3/14" id="H3200515AA1394440B6A8F8EFB0062593" class="indent1"><num value="14">(14) </num><content>Articles 45 and 68 of the Basic Law assert that the selection of Chief Executive and all members of the Legislative Council of Hong Kong should be by “universal suffrage.”.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/7440/s3/15" id="H9719ABBD93AF4FC58549D7E808535670" class="indent1"><num value="15">(15) </num><chapeau>On multiple occasions, the Government of China has undertaken actions that have contravened the letter or intent of the obligation described in paragraph (14) of this section, including the following:</chapeau>
<subparagraph identifier="/us/bill/116/hr/7440/s3/15/A" id="H251E106A5ED1408A9E9CEA8C36B498E2" class="indent2"><num value="A">(A) </num><content>In 2004, the National Peoples Congress created new, antidemocratic procedures restricting the adoption of universal suffrage for the election of the Chief Executive of Hong Kong.</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/7440/s3/15/B" id="HA86DE59A591E4ABA83AC99D1E1A5B812" class="indent2"><num value="B">(B) </num><content>The decision by the National Peoples Congress on December 29, 2007, which ruled out universal suffrage in 2012 elections and set restrictions on when and if universal suffrage will be implemented.</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/7440/s3/15/C" id="H4C6BFA83F3B446DCAF2582E8E972D3A6" class="indent2"><num value="C">(C) </num><content>The decision by the National Peoples Congress on August 31, 2014, which placed limits on the nomination process for the Chief Executive of Hong Kong as a condition for adoption of universal suffrage.</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/7440/s3/15/D" id="HA2DDCCBCA4F5421E82F02C45D23033E5" class="indent2"><num value="D">(D) </num><content>On November 7, 2016, the National Peoples Congress interpreted Article 104 of the Basic Law in such a way to disqualify 6 elected members of the Legislative Council.</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/7440/s3/15/E" id="H0E85386C99444C8EBCBC7466B5D7C878" class="indent2"><num value="E">(E) </num><content>In 2018, the Government of Hong Kong banned the Hong Kong National Party and blocked the candidacy of pro-democracy candidates.</content></subparagraph></paragraph>
<paragraph identifier="/us/bill/116/hr/7440/s3/16" id="H1C9B8C2955174545B636126A760A0340" class="indent1"><num value="16">(16) </num><content>The ways in which the Government of China, at times with the support of a subservient Government of Hong Kong, has acted in contravention of its obligations under the Joint Declaration and the Basic Law, as set forth in this section, are deeply concerning to the people of Hong Kong, the United States, and members of the international community who support the autonomy of Hong Kong.</content></paragraph></section>
<section identifier="/us/bill/116/hr/7440/s4" id="H797E149A075141C8A6F8D757F1D43A07"><num value="4">SEC. 4. </num><heading>SENSE OF CONGRESS REGARDING HONG KONG.</heading>
<chapeau class="indent0">It is the sense of Congress that—</chapeau>
<paragraph identifier="/us/bill/116/hr/7440/s4/1" id="H476FA8C9F60F4FC789422101C4CF7ABB" class="indent1"><num value="1">(1) </num><chapeau>the United States continues to uphold the principles and policy established in the United States-Hong Kong Policy Act of 1992 (<ref href="/us/usc/t22/s5701/etseq">22 U.S.C. 5701 et seq.</ref>) and the Hong Kong Human Rights and Democracy Act of 2019 (<ref href="/us/pl/116/76">Public Law 11676</ref>; <ref href="/us/usc/t22/s5701">22 U.S.C. 5701 note</ref>), which remain consistent with Chinas obligations under the Joint Declaration and certain promulgated objectives under the Basic Law, including that— </chapeau>
<subparagraph identifier="/us/bill/116/hr/7440/s4/1/A" id="H1C4A9090A3AF498D8277A20546B3D9FC" class="indent2"><num value="A">(A) </num><content>as set forth in section 101(1) of the United States-Hong Kong Policy Act of 1992 (<ref href="/us/usc/t22/s5711/1">22 U.S.C. 5711(1)</ref>), “The United States should play an active role, before, on, and after July 1, 1997, in maintaining Hong Kongs confidence and prosperity, Hong Kongs role as an international financial center, and the mutually beneficial ties between the people of the United States and the people of Hong Kong.”; and</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/7440/s4/1/B" id="H2F20D126758741CFB15C9F112CEC8739" class="indent2"><num value="B">(B) </num><content>as set forth in section 2(5) of the United States-Hong Kong Policy Act of 1992 (<ref href="/us/usc/t22/s5701/5">22 U.S.C. 5701(5)</ref>), “Support for democratization is a fundamental principle of United States foreign policy. As such, it naturally applies to United States policy toward Hong Kong. This will remain equally true after June 30, 1997.”;</content></subparagraph></paragraph>
<paragraph identifier="/us/bill/116/hr/7440/s4/2" id="HF348998738B24627A06892F40A49CF10" class="indent1"><num value="2">(2) </num><content>although the United States recognizes that, under the Joint Declaration, the Government of China “resumed the exercise of sovereignty over Hong Kong with effect on 1 July 1997”, the United States supports the autonomy of Hong Kong in furtherance of the United States-Hong Kong Policy Act of 1992 and the Hong Kong Human Rights and Democracy Act of 2019 and advances the desire of the people of Hong Kong to continue the “one country, two systems” regime, in addition to other obligations promulgated by China under the Joint Declaration and the Basic Law;</content></paragraph>
<paragraph identifier="/us/bill/116/hr/7440/s4/3" id="H0946A4079DF146DDB00BA2FF8D7E8D98" class="indent1"><num value="3">(3) </num><content>in order to support the benefits and protections that Hong Kong has been afforded by the Government of China under the Joint Declaration and the Basic Law, the United States should establish a clear and unambiguous set of penalties with respect to foreign persons determined by the Secretary of State, in consultation with the Secretary of the Treasury, to be involved in the contravention of the obligations of China under the Joint Declaration and the Basic Law and the financial institutions transacting with those foreign persons;</content></paragraph>
<paragraph identifier="/us/bill/116/hr/7440/s4/4" id="H4925DD5CAC1A4ECF8E816281D62A267F" class="indent1"><num value="4">(4) </num><content>the Secretary of State should provide an unclassified assessment of the reason for imposition of certain economic penalties on entities, so as to permit a clear path for the removal of economic penalties if the sanctioned behavior is reversed and verified by the Secretary of State;</content></paragraph>
<paragraph identifier="/us/bill/116/hr/7440/s4/5" id="HAAF5ABD2289546228C2F871847238954" class="indent1"><num value="5">(5) </num><content>relevant Federal agencies should establish a multilateral sanctions regime with respect to foreign persons involved in the contravention of the obligations of China under the Joint Declaration and the Basic Law; and</content></paragraph>
<paragraph identifier="/us/bill/116/hr/7440/s4/6" id="H1FD255053E57415883BEDEB34478E0FD" class="indent1"><num value="6">(6) </num><content>in addition to the penalties on foreign persons, and financial institutions transacting with those foreign persons, for the contravention of the obligations of China under the Joint Declaration and the Basic Law, the United States should take steps, in a time of crisis, to assist permanent residents of Hong Kong who are persecuted or fear persecution as a result of the contravention by China of its obligations under the Joint Declaration and the Basic Law to become eligible to obtain lawful entry into the United States. </content></paragraph></section>
<section identifier="/us/bill/116/hr/7440/s5" id="H9B22402D845B4F67BE53C52AF2D5ED77"><num value="5">SEC. 5. </num><heading>IDENTIFICATION OF FOREIGN PERSONS INVOLVED IN THE EROSION OF THE OBLIGATIONS OF CHINA UNDER THE JOINT DECLARATION OR THE BASIC LAW AND FOREIGN FINANCIAL INSTITUTIONS THAT CONDUCT SIGNIFICANT TRANSACTIONS WITH THOSE PERSONS.</heading>
<subsection identifier="/us/bill/116/hr/7440/s5/a" id="HB7A18969B7B846ACA16D93A7BBDEE9B8" class="indent0"><num value="a">(a) </num><heading><inline class="smallCaps">In General</inline>.—</heading><chapeau>Not later than 90 days after the date of the enactment of this Act, if the Secretary of State, in consultation with the Secretary of the Treasury, determines that a foreign person is materially contributing to, has materially contributed to, or attempts to materially contribute to the failure of the Government of China to meet its obligations under the Joint Declaration or the Basic Law, the Secretary of State shall submit to the appropriate congressional committees and leadership a report that includes—</chapeau>
<paragraph identifier="/us/bill/116/hr/7440/s5/a/1" id="H741AF948491E48519074F807DCD64244" class="indent1"><num value="1">(1) </num><content>an identification of the foreign person; and</content></paragraph>
<paragraph identifier="/us/bill/116/hr/7440/s5/a/2" id="HC5D3865C2B8943EEB83761A7B4E5FB1E" class="indent1"><num value="2">(2) </num><content>a clear explanation for why the foreign person was identified and a description of the activity that resulted in the identification.</content></paragraph></subsection>
<subsection identifier="/us/bill/116/hr/7440/s5/b" id="H8ECB295DF4A84D99B16F7CD152EB9787" class="indent0"><num value="b">(b) </num><heading><inline class="smallCaps">Identifying Foreign Financial Institutions</inline>.—</heading><content>Not earlier than 30 days and not later than 60 days after the Secretary of State submits to the appropriate congressional committees and leadership the report under subsection (a), the Secretary of the Treasury, in consultation with the Secretary of State, shall submit to the appropriate congressional committees and leadership a report that identifies any foreign financial institution that knowingly conducts a significant transaction with a foreign person identified in the report under subsection (a).</content></subsection>
<subsection identifier="/us/bill/116/hr/7440/s5/c" id="HBB6D40222F3049B492AD68A9FEF417AF" class="indent0"><num value="c">(c) </num><heading><inline class="smallCaps">Exclusion of Certain Information</inline>.—</heading>
<paragraph identifier="/us/bill/116/hr/7440/s5/c/1" id="HD2DA73E92D92433AAE958CE79EEA0B3B" class="indent1"><num value="1">(1) </num><heading><inline class="smallCaps">Intelligence</inline>.—</heading><content>The Secretary of State shall not disclose the identity of a person in a report submitted under subsection (a) or (b), or an update under subsection (e), if the Director of National Intelligence determines that such disclosure could compromise an intelligence operation, activity, source, or method of the United States.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/7440/s5/c/2" id="H054F0B2DF69743F1814FF40AA7A8BF2F" class="indent1"><num value="2">(2) </num><heading><inline class="smallCaps">Law enforcement</inline>.—</heading><chapeau>The Secretary of State shall not disclose the identity of a person in a report submitted under subsection (a) or (b), or an update under subsection (e), if the Attorney General, in coordination, as appropriate, with the Director of the Federal Bureau of Investigation, the head of any other appropriate Federal law enforcement agency, and the Secretary of the Treasury, determines that such disclosure could reasonably be expected—</chapeau>
<subparagraph identifier="/us/bill/116/hr/7440/s5/c/2/A" id="H43DC634FE924486882D24086EABFE17A" class="indent2"><num value="A">(A) </num><content>to compromise the identity of a confidential source, including a State, local, or foreign agency or authority or any private institution that furnished information on a confidential basis;</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/7440/s5/c/2/B" id="H3CE00478C8574D17B97031518DB04AB6" class="indent2"><num value="B">(B) </num><content>to jeopardize the integrity or success of an ongoing criminal investigation or prosecution;</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/7440/s5/c/2/C" id="H1E62905B2AA44521BDBE71B4996EEDBE" class="indent2"><num value="C">(C) </num><content>to endanger the life or physical safety of any person; or</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/7440/s5/c/2/D" id="HB059E90AAF584659ACE8C78B1212FF38" class="indent2"><num value="D">(D) </num><content>to cause substantial harm to physical property.</content></subparagraph></paragraph>
<paragraph identifier="/us/bill/116/hr/7440/s5/c/3" id="H15DD65A7E73449F588DB7E25AF7FE5EC" class="indent1"><num value="3">(3) </num><heading><inline class="smallCaps">Notification required</inline>.—</heading><content>If the Director of National Intelligence makes a determination under paragraph (1) or the Attorney General makes a determination under paragraph (2), the Director or the Attorney General, as the case may be, shall notify the appropriate congressional committees and leadership of the determination and the reasons for the determination.</content></paragraph></subsection>
<subsection identifier="/us/bill/116/hr/7440/s5/d" id="H0B5357045F924CE2BC1A1EDB6BA2BF17" class="indent0"><num value="d">(d) </num><heading><inline class="smallCaps">Exclusion or Removal of Foreign Persons and Foreign Financial Institutions</inline>.—</heading>
<paragraph identifier="/us/bill/116/hr/7440/s5/d/1" id="HC333A3E4624342AFAC8D09873464EF18" class="indent1"><num value="1">(1) </num><heading><inline class="smallCaps">Foreign persons</inline>.—</heading><chapeau>The President may exclude a foreign person from the report under subsection (a), or an update under subsection (e), or remove a foreign person from the report or update prior to the imposition of sanctions under section 6(a) if the material contribution (as described in subsection (g)) that merited inclusion in that report or update—</chapeau>
<subparagraph identifier="/us/bill/116/hr/7440/s5/d/1/A" id="HF113C05E88F04FAE9806220A2A47E332" class="indent2"><num value="A">(A) </num><content>does not have a significant and lasting negative effect that contravenes the obligations of China under the Joint Declaration and the Basic Law;</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/7440/s5/d/1/B" id="H1B8A1FB08E5B453082EBC0D01702C15E" class="indent2"><num value="B">(B) </num><content>is not likely to be repeated in the future; and</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/7440/s5/d/1/C" id="HCB4F7BC0191A4C79B330007E4473C065" class="indent2"><num value="C">(C) </num><content>has been reversed or otherwise mitigated through positive countermeasures taken by that foreign person.</content></subparagraph></paragraph>
<paragraph identifier="/us/bill/116/hr/7440/s5/d/2" id="H29D673B80DCC4D88B73989BF1913AF86" class="indent1"><num value="2">(2) </num><heading><inline class="smallCaps">Foreign financial institutions</inline>.—</heading><chapeau>The President may exclude a foreign financial institution from the report under subsection (b), or an update under subsection (e), or remove a foreign financial institution from the report or update prior to the imposition of sanctions under section 7(a) if the significant transaction or significant transactions of the foreign financial institution that merited inclusion in that report or update—</chapeau>
<subparagraph identifier="/us/bill/116/hr/7440/s5/d/2/A" id="HBFD80226428345E998CAA2357EBB9C54" class="indent2"><num value="A">(A) </num><content>does not have a significant and lasting negative effect that contravenes the obligations of China under the Joint Declaration and the Basic Law;</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/7440/s5/d/2/B" id="H46AB92AE324743D7BD7B7F6AB334BDAC" class="indent2"><num value="B">(B) </num><content>is not likely to be repeated in the future; and</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/7440/s5/d/2/C" id="H7ABA8303C3314D9F8BE66CA40DEDE1AD" class="indent2"><num value="C">(C) </num><content>has been reversed or otherwise mitigated through positive countermeasures taken by that foreign financial institution.</content></subparagraph></paragraph>
<paragraph identifier="/us/bill/116/hr/7440/s5/d/3" id="H63ABE5C59FB148F2A997FDC87C814070" class="indent1"><num value="3">(3) </num><heading><inline class="smallCaps">Notification required</inline>.—</heading><content>If the President makes a determination under paragraph (1) or (2) to exclude or remove a foreign person or foreign financial institution from a report under subsection (a) or (b), as the case may be, the President shall notify the appropriate congressional committees and leadership of the determination and the reasons for the determination. </content></paragraph></subsection>
<subsection identifier="/us/bill/116/hr/7440/s5/e" id="H7095C58485944D8DA0C21FD62811103F" class="indent0"><num value="e">(e) </num><heading><inline class="smallCaps">Update of Reports</inline>.—</heading>
<paragraph identifier="/us/bill/116/hr/7440/s5/e/1" id="HCFD27421B8FD4C9FBE708FF45B1E1C87" class="indent1"><num value="1">(1) </num><heading><inline class="smallCaps">In general</inline>.—</heading><content>Each report submitted under subsections (a) and (b) shall be updated in an ongoing manner and, to the extent practicable, updated reports shall be resubmitted with the annual report under section 301 of the United States-Hong Kong Policy Act of 1992 (<ref href="/us/usc/t22/s5731">22 U.S.C. 5731</ref>).</content></paragraph>
<paragraph identifier="/us/bill/116/hr/7440/s5/e/2" id="HB2D45843B78644688133A10C6369635C" class="indent1"><num value="2">(2) </num><heading><inline class="smallCaps">Rule of construction</inline>.—</heading><content>Nothing in this subsection shall be construed to terminate the requirement to update the reports under subsections (a) and (b) upon the termination of the requirement to submit the annual report under section 301 of the United States-Hong Kong Policy Act of 1992 (<ref href="/us/usc/t22/s5731">22 U.S.C. 5731</ref>).</content></paragraph></subsection>
<subsection identifier="/us/bill/116/hr/7440/s5/f" id="H3037F31A754C48BBBE6D0A0275FBAC39" class="indent0"><num value="f">(f) </num><heading><inline class="smallCaps">Form of Reports</inline>.—</heading>
<paragraph identifier="/us/bill/116/hr/7440/s5/f/1" id="HB8F39B5751E94DBA94ABD1BF7A1022AE" class="indent1"><num value="1">(1) </num><heading><inline class="smallCaps">In general</inline>.—</heading><content>Each report under subsection (a) or (b) (including updates under subsection (e)) shall be submitted in unclassified form and made available to the public.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/7440/s5/f/2" id="H1E9C3D5BFC6B45C18D8538847885EAEB" class="indent1"><num value="2">(2) </num><heading><inline class="smallCaps">Classified annex</inline>.—</heading><content>The explanations and descriptions included in the report under subsection (a)(2) (including updates under subsection (e)) may be expanded on in a classified annex. </content></paragraph></subsection>
<subsection identifier="/us/bill/116/hr/7440/s5/g" id="H81AAF266C1344CF3895409E4C6C24190" class="indent0"><num value="g">(g) </num><heading><inline class="smallCaps">Material Contributions Related to Obligations of China Described</inline>.—</heading><chapeau>For purposes of this section, a foreign person materially contributes to the failure of the Government of China to meet its obligations under the Joint Declaration or the Basic Law if the person—</chapeau>
<paragraph identifier="/us/bill/116/hr/7440/s5/g/1" id="H696132054FA24473A6086DBEA078A247" class="indent1"><num value="1">(1) </num><chapeau>took action that resulted in the inability of the people of Hong Kong—</chapeau>
<subparagraph identifier="/us/bill/116/hr/7440/s5/g/1/A" id="HDEBB2832697B4B8EA1C055058EAB2193" class="indent2"><num value="A">(A) </num><content>to enjoy freedom of assembly, speech, press, or independent rule of law; or</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/7440/s5/g/1/B" id="H70F47ED2313F4A40BB30FA670D8FF47F" class="indent2"><num value="B">(B) </num><content>to participate in democratic outcomes; or</content></subparagraph></paragraph>
<paragraph identifier="/us/bill/116/hr/7440/s5/g/2" id="H2CD06F1048714E6DBAAC43F178CEF927" class="indent1"><num value="2">(2) </num><content>otherwise took action that reduces the high degree of autonomy of Hong Kong.</content></paragraph></subsection></section>
<section identifier="/us/bill/116/hr/7440/s6" id="HAC1D54E47AF5436FA8957CE9BDCA344C"><num value="6">SEC. 6. </num><heading>SANCTIONS WITH RESPECT TO FOREIGN PERSONS THAT CONTRAVENE THE OBLIGATIONS OF CHINA UNDER THE JOINT DECLARATION OR THE BASIC LAW.</heading>
<subsection identifier="/us/bill/116/hr/7440/s6/a" id="HF2A99FDDF92E4488A1431F80B83FE6FD" class="indent0"><num value="a">(a) </num><heading><inline class="smallCaps">Imposition of Sanctions</inline>.—</heading>
<paragraph identifier="/us/bill/116/hr/7440/s6/a/1" id="HCEFD931F40C14D4E9456B156B47B9CEF" class="indent1"><num value="1">(1) </num><heading><inline class="smallCaps">In general</inline>.—</heading><content>On and after the date on which a foreign person is included in the report under section 5(a) or an update to that report under section 5(e), the President may impose sanctions described in subsection (b) with respect to that foreign person.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/7440/s6/a/2" id="H5CF23F0B62F6455EBD5B185CEB8EAC53" class="indent1"><num value="2">(2) </num><heading><inline class="smallCaps">Mandatory sanctions</inline>.—</heading><content>Not later than one year after the date on which a foreign person is included in the report under section 5(a) or an update to that report under section 5(e), the President shall impose sanctions described in subsection (b) with respect to that foreign person. </content></paragraph></subsection>
<subsection identifier="/us/bill/116/hr/7440/s6/b" id="H9294A2AA027C499392F81CD7FBDF1FAF" class="indent0"><num value="b">(b) </num><heading><inline class="smallCaps">Sanctions Described</inline>.—</heading><chapeau>The sanctions described in this subsection with respect to a foreign person are the following:</chapeau>
<paragraph identifier="/us/bill/116/hr/7440/s6/b/1" id="H9405043245764CB7B47706818E985B57" class="indent1"><num value="1">(1) </num><heading><inline class="smallCaps">Property transactions</inline>.—</heading><chapeau>The President may, pursuant to such regulations as the President may prescribe, prohibit any person from—</chapeau>
<subparagraph identifier="/us/bill/116/hr/7440/s6/b/1/A" id="H5D1D9A21869141CFB3E24611977EDF79" class="indent2"><num value="A">(A) </num><content>acquiring, holding, withholding, using, transferring, withdrawing, transporting, or exporting any property that is subject to the jurisdiction of the United States and with respect to which the foreign person has any interest;</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/7440/s6/b/1/B" id="HBBB5D41B687840BBADDB2B1DEC0DAD41" class="indent2"><num value="B">(B) </num><content>dealing in or exercising any right, power, or privilege with respect to such property; or</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/7440/s6/b/1/C" id="HEE654A0ED80649DC9897F7A80C422BC3" class="indent2"><num value="C">(C) </num><content>conducting any transaction involving such property.</content></subparagraph></paragraph>
<paragraph identifier="/us/bill/116/hr/7440/s6/b/2" id="H96DFA8C79495421DAD6123BA3F67A74A" class="indent1"><num value="2">(2) </num><heading><inline class="smallCaps">Exclusion from the united states and revocation of visa or other documentation</inline>.—</heading><content>In the case of a foreign person who is an individual, the President may direct the Secretary of State to deny a visa to, and the Secretary of Homeland Security to exclude from the United States, the foreign person, subject to regulatory exceptions to permit the United States to comply with the Agreement regarding the Headquarters of the United Nations, signed at Lake Success June 26, 1947, and entered into force November 21, 1947, between the United Nations and the United States, or other applicable international obligations.</content></paragraph></subsection></section>
<section identifier="/us/bill/116/hr/7440/s7" id="H79D65B54DFDC45BE9CD14EFB5ABEF6C3"><num value="7">SEC. 7. </num><heading>SANCTIONS WITH RESPECT TO FOREIGN FINANCIAL INSTITUTIONS THAT CONDUCT SIGNIFICANT TRANSACTIONS WITH FOREIGN PERSONS THAT CONTRAVENE THE OBLIGATIONS OF CHINA UNDER THE JOINT DECLARATION OR THE BASIC LAW.</heading>
<subsection identifier="/us/bill/116/hr/7440/s7/a" id="H821CFD06C146478E94121C3761EBBDC5" class="indent0"><num value="a">(a) </num><heading><inline class="smallCaps">Imposition of Sanctions</inline>.—</heading>
<paragraph identifier="/us/bill/116/hr/7440/s7/a/1" id="HCC43D029F7A44895A72EDA3B344A8915" class="indent1"><num value="1">(1) </num><heading><inline class="smallCaps">Initial sanctions</inline>.—</heading><content>Not later than one year after the date on which a foreign financial institution is included in the report under section 5(b) or an update to that report under section 5(e), the President shall impose not fewer than 5 of the sanctions described in subsection (b) with respect to that foreign financial institution.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/7440/s7/a/2" id="HE2E6E3AD6EE644A287142EECFFF97A3A" class="indent1"><num value="2">(2) </num><heading><inline class="smallCaps">Expanded sanctions</inline>.—</heading><content>Not later than two years after the date on which a foreign financial institution is included in the report under section 5(b) or an update to that report under section 5(e), the President shall impose each of the sanctions described in subsection (b). </content></paragraph></subsection>
<subsection identifier="/us/bill/116/hr/7440/s7/b" id="HB987833D0F0643018E45DFD86BF58361" class="indent0"><num value="b">(b) </num><heading><inline class="smallCaps">Sanctions Described</inline>.—</heading><chapeau>The sanctions described in this subsection with respect to a foreign financial institution are the following:</chapeau>
<paragraph identifier="/us/bill/116/hr/7440/s7/b/1" id="HAC51773A5FD6402CAE7DAF86E7D0CFD2" class="indent1"><num value="1">(1) </num><heading><inline class="smallCaps">Loans from united states financial institutions</inline>.—</heading><content>The United States Government may prohibit any United States financial institution from making loans or providing credits to the foreign financial institution.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/7440/s7/b/2" id="H383B962C402742E684E6B2A74E269A19" class="indent1"><num value="2">(2) </num><heading><inline class="smallCaps">Prohibition on designation as primary dealer</inline>.—</heading><content>Neither the Board of Governors of the Federal Reserve System nor the Federal Reserve Bank of New York may designate, or permit the continuation of any prior designation of, the foreign financial institution as a primary dealer in United States Government debt instruments.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/7440/s7/b/3" id="H404674774C264364A2FACD2670FE604F" class="indent1"><num value="3">(3) </num><heading><inline class="smallCaps">Prohibition on service as a repository of government funds</inline>.—</heading><content>The foreign financial institution may not serve as agent of the United States Government or serve as repository for United States Government funds.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/7440/s7/b/4" id="HDA5D84FF918F46A8A0267A054A6E2EE3" class="indent1"><num value="4">(4) </num><heading><inline class="smallCaps">Foreign exchange</inline>.—</heading><content>The President may, pursuant to such regulations as the President may prescribe, prohibit any transactions in foreign exchange that are subject to the jurisdiction of the United States and involve the foreign financial institution.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/7440/s7/b/5" id="HE6EE2DA310F146658C4B75F0F092B0DD" class="indent1"><num value="5">(5) </num><heading><inline class="smallCaps">Banking transactions</inline>.—</heading><content>The President may, pursuant to such regulations as the President may prescribe, prohibit any transfers of credit or payments between financial institutions or by, through, or to any financial institution, to the extent that such transfers or payments are subject to the jurisdiction of the United States and involve the foreign financial institution.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/7440/s7/b/6" id="H3860CE3C263A479B840258C75BB01FB6" class="indent1"><num value="6">(6) </num><heading><inline class="smallCaps">Property transactions</inline>.—</heading><chapeau>The President may, pursuant to such regulations as the President may prescribe, prohibit any person from—</chapeau>
<subparagraph identifier="/us/bill/116/hr/7440/s7/b/6/A" id="H574EA4B164F948AB8327B02C8B7DD1B8" class="indent2"><num value="A">(A) </num><content>acquiring, holding, withholding, using, transferring, withdrawing, transporting, importing, or exporting any property that is subject to the jurisdiction of the United States and with respect to which the foreign financial institution has any interest;</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/7440/s7/b/6/B" id="H4DED4932D6B3406B920DC38ED4FD0023" class="indent2"><num value="B">(B) </num><content>dealing in or exercising any right, power, or privilege with respect to such property; or</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/7440/s7/b/6/C" id="H2F278C18DB1845BAA6186EC507DF5B27" class="indent2"><num value="C">(C) </num><content>conducting any transaction involving such property.</content></subparagraph></paragraph>
<paragraph identifier="/us/bill/116/hr/7440/s7/b/7" id="H627A396C0F364F71ACB26B4D6292870A" class="indent1"><num value="7">(7) </num><heading><inline class="smallCaps">Restriction on exports, reexports, and transfers</inline>.—</heading><content>The President, in consultation with the Secretary of Commerce, may restrict or prohibit exports, reexports, and transfers (in-country) of commodities, software, and technology subject to the jurisdiction of the United States directly or indirectly to the foreign financial institution.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/7440/s7/b/8" id="H896B8D85ADC24C5E873074A048FC9D99" class="indent1"><num value="8">(8) </num><heading><inline class="smallCaps">Ban on investment in equity or debt</inline>.—</heading><content>The President may, pursuant to such regulations or guidelines as the President may prescribe, prohibit any United States person from investing in or purchasing significant amounts of equity or debt instruments of the foreign financial institution.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/7440/s7/b/9" id="H99D610152E5C45F5AFBE447024C214F2" class="indent1"><num value="9">(9) </num><heading><inline class="smallCaps">Exclusion of corporate officers</inline>.—</heading><content>The President may direct the Secretary of State, in consultation with the Secretary of the Treasury and the Secretary of Homeland Security, to exclude from the United States any alien that is determined to be a corporate officer or principal of, or a shareholder with a controlling interest in, the foreign financial institution, subject to regulatory exceptions to permit the United States to comply with the Agreement regarding the Headquarters of the United Nations, signed at Lake Success June 26, 1947, and entered into force November 21, 1947, between the United Nations and the United States, or other applicable international obligations.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/7440/s7/b/10" id="H174CBCAB134D4AA6A72FE414A8ADE6D4" class="indent1"><num value="10">(10) </num><heading><inline class="smallCaps">Sanctions on principal executive officers</inline>.—</heading><content>The President may impose on the principal executive officer or officers of the foreign financial institution, or on individuals performing similar functions and with similar authorities as such officer or officers, any of the sanctions described in paragraphs (1) through (8) that are applicable.</content></paragraph></subsection>
<subsection identifier="/us/bill/116/hr/7440/s7/c" id="H66648B9C37EC4F439582B8E118E86DD0" class="indent0"><num value="c">(c) </num><heading><inline class="smallCaps">Timing of Sanctions</inline>.—</heading><content>The President may impose sanctions required under subsection (a) with respect to a financial institution included in the report under section 5(b) or an update to that report under section 5(e) beginning on the day on which the financial institution is included in that report or update. </content></subsection></section>
<section identifier="/us/bill/116/hr/7440/s8" id="HF00E1A82D4CD452C86F047A8F715524E"><num value="8">SEC. 8. </num><heading>WAIVER, TERMINATION, EXCEPTIONS, AND CONGRESSIONAL REVIEW PROCESS.</heading>
<subsection identifier="/us/bill/116/hr/7440/s8/a" id="H087AE92649764538A602699B34B03D8C" class="indent0"><num value="a">(a) </num><heading><inline class="smallCaps">National Security Waiver</inline>.—</heading><chapeau>Unless a disapproval resolution is enacted under subsection (e), the President may waive the application of sanctions under section 6 or 7 with respect to a foreign person or foreign financial institution if the President—</chapeau>
<paragraph identifier="/us/bill/116/hr/7440/s8/a/1" id="HA3F5496395BE4B89B69D5ABA86009762" class="indent1"><num value="1">(1) </num><content>determines that the waiver is in the national security interest of the United States; and</content></paragraph>
<paragraph identifier="/us/bill/116/hr/7440/s8/a/2" id="H8017A8FEFE7A426CB599657A2EC6584B" class="indent1"><num value="2">(2) </num><content>submits to the appropriate congressional committees and leadership a report on the determination and the reasons for the determination.</content></paragraph></subsection>
<subsection identifier="/us/bill/116/hr/7440/s8/b" id="H4F3AD28C24CA4C22AE4A4FD67CDA8664" class="indent0"><num value="b">(b) </num><heading><inline class="smallCaps">Termination of Sanctions and Removal From Report</inline>.—</heading><chapeau>Unless a disapproval resolution is enacted under subsection (e), the President may terminate the application of sanctions under section 6 or 7 with respect to a foreign person or foreign financial institution and remove the foreign person from the report required under section 5(a) or the foreign financial institution from the report required under section 5(b), as the case may be, if the Secretary of State, in consultation with the Secretary of the Treasury, determines that the actions taken by the foreign person or foreign financial institution that led to the imposition of sanctions— </chapeau>
<paragraph identifier="/us/bill/116/hr/7440/s8/b/1" id="H61DA335B9F6F4ECA84495A17568E4D0D" class="indent1"><num value="1">(1) </num><content>do not have a significant and lasting negative effect that contravenes the obligations of China under the Joint Declaration and the Basic Law;</content></paragraph>
<paragraph identifier="/us/bill/116/hr/7440/s8/b/2" id="HF95F7EA82C134BB083B9EB1A274D6732" class="indent1"><num value="2">(2) </num><content>are not likely to be repeated in the future; and</content></paragraph>
<paragraph identifier="/us/bill/116/hr/7440/s8/b/3" id="H638F160EFDE044BF890D7A3AA192E724" class="indent1"><num value="3">(3) </num><content>have been reversed or otherwise mitigated through positive countermeasures taken by that foreign person or foreign financial institution.</content></paragraph></subsection>
<subsection identifier="/us/bill/116/hr/7440/s8/c" id="H510F836792C44722964C948CA0494AB7" class="indent0"><num value="c">(c) </num><heading><inline class="smallCaps">Termination of Act</inline>.—</heading>
<paragraph identifier="/us/bill/116/hr/7440/s8/c/1" id="H52A7D973D6E24635A1FB72932A7FF5A7" class="indent1"><num value="1">(1) </num><heading><inline class="smallCaps">Report</inline>.—</heading>
<subparagraph identifier="/us/bill/116/hr/7440/s8/c/1/A" id="H8397AAC5BED9442B89AD8F6400C8EAAA" class="indent2"><num value="A">(A) </num><heading><inline class="smallCaps">In general</inline>.—</heading><content>Not later than July 1, 2046, the President, in consultation with the Secretary of State, the Secretary of the Treasury, and the heads of such other Federal agencies as the President considers appropriate, shall submit to Congress a report evaluating the implementation of this Act and sanctions imposed pursuant to this Act.</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/7440/s8/c/1/B" id="H1066734333C248CBA17B233ACDF12825" class="indent2"><num value="B">(B) </num><heading><inline class="smallCaps">Elements</inline>.—</heading><content>The President shall include in the report submitted under subparagraph (A) an assessment of whether this Act and the sanctions imposed pursuant to this Act should be terminated.</content></subparagraph></paragraph>
<paragraph identifier="/us/bill/116/hr/7440/s8/c/2" id="HC2833D92A19E4E7A94C02638701EFAF1" class="indent1"><num value="2">(2) </num><heading><inline class="smallCaps">Termination</inline>.—</heading><content>This Act and the sanctions imposed pursuant to this Act shall remain in effect unless a termination resolution is enacted under subsection (e) after July 1, 2047.</content></paragraph></subsection>
<subsection identifier="/us/bill/116/hr/7440/s8/d" id="HEB70D79B355747D9A09D26B913BCB60E" class="indent0"><num value="d">(d) </num><heading><inline class="smallCaps">Exception Relating to Importation of Goods</inline>.—</heading>
<paragraph identifier="/us/bill/116/hr/7440/s8/d/1" id="HFEBFC406F5B14EDEA75A52D7CC25805C" class="indent1"><num value="1">(1) </num><heading><inline class="smallCaps">In general</inline>.—</heading><content>The authorities and requirements to impose sanctions under sections 6 and 7 shall not include the authority or requirement to impose sanctions on the importation of goods.</content></paragraph>
<paragraph role="definitions" identifier="/us/bill/116/hr/7440/s8/d/2" id="H098AF49A9C7D47D289005D766ED9C3FE" class="indent1"><num value="2">(2) </num><heading><inline class="smallCaps">Good defined</inline>.—</heading><content>In this subsection, the term “<term>good</term>” means any article, natural or manmade substance, material, supply, or manufactured product, including inspection and test equipment, and excluding technical data. </content></paragraph></subsection>
<subsection identifier="/us/bill/116/hr/7440/s8/e" id="H15B7651172B44AD190289DC1395255F9" class="indent0"><num value="e">(e) </num><heading><inline class="smallCaps">Congressional Review</inline>.—</heading>
<paragraph identifier="/us/bill/116/hr/7440/s8/e/1" id="H66FC3BD8B2C74AE299CE14EDF8109D1D" class="indent1"><num value="1">(1) </num><heading><inline class="smallCaps">Resolutions</inline>.—</heading>
<subparagraph role="definitions" identifier="/us/bill/116/hr/7440/s8/e/1/A" id="H50BB59A5DA4246B3BB34B63EC32C2DD8" class="indent2"><num value="A">(A) </num><heading><inline class="smallCaps">Disapproval resolution</inline>.—</heading><chapeau>In this section, the term “<term>disapproval resolution</term>” means only a joint resolution of either House of Congress—</chapeau>
<clause identifier="/us/bill/116/hr/7440/s8/e/1/A/i" id="H1EBC3AC29BFE4CFE85F744F246717C05" class="indent3"><num value="i">(i) </num><content>the title of which is as follows: “A joint resolution disapproving the waiver or termination of sanctions with respect to a foreign person that contravenes the obligations of China with respect to Hong Kong or a foreign financial institution that conducts a significant transaction with that person.”; and</content></clause>
<clause identifier="/us/bill/116/hr/7440/s8/e/1/A/ii" id="H53756E119ED3469CB1FD97AA6D25F5C1" class="indent3"><num value="ii">(ii) </num><content>the sole matter after the resolving clause of which is the following: “Congress disapproves of the action under section 8 of the Hong Kong Autonomy Act relating to the application of sanctions imposed with respect to a foreign person that contravenes the obligations of China with respect to Hong Kong, or a foreign financial institution that conducts a significant transaction with that person, on _______ relating to ________.”, with the first blank space being filled with the appropriate date and the second blank space being filled with a short description of the proposed action.</content></clause></subparagraph>
<subparagraph role="definitions" identifier="/us/bill/116/hr/7440/s8/e/1/B" id="HD64523E055C7482C89DA108A612676C6" class="indent2"><num value="B">(B) </num><heading><inline class="smallCaps">Termination resolution</inline>.—</heading><chapeau>In this section, the term “<term>termination resolution</term>” means only a joint resolution of either House of Congress—</chapeau>
<clause identifier="/us/bill/116/hr/7440/s8/e/1/B/i" id="H6B4F355F118E49D8ADC1A0423004C8B5" class="indent3"><num value="i">(i) </num><content>the title of which is as follows: “A joint resolution terminating sanctions with respect to foreign persons that contravene the obligations of China with respect to Hong Kong and foreign financial institutions that conduct significant transactions with those persons.”; and</content></clause>
<clause identifier="/us/bill/116/hr/7440/s8/e/1/B/ii" id="H939A3979E786486583C8EF963FE65F09" class="indent3"><num value="ii">(ii) </num><content>the sole matter after the resolving clause of which is the following: “The Hong Kong Autonomy Act and any sanctions imposed pursuant to that Act shall terminate on ____.”, with the blank space being filled with the termination date.</content></clause></subparagraph>
<subparagraph role="definitions" identifier="/us/bill/116/hr/7440/s8/e/1/C" id="H0314D2E92305427BA9E0DD699AC7AC26" class="indent2"><num value="C">(C) </num><heading><inline class="smallCaps">Covered resolution</inline>.—</heading><content>In this subsection, the term “<term>covered resolution</term>” means a disapproval resolution or a termination resolution.</content></subparagraph></paragraph>
<paragraph identifier="/us/bill/116/hr/7440/s8/e/2" id="H87714916790445DCA53B3177652E31DD" class="indent1"><num value="2">(2) </num><heading><inline class="smallCaps">Introduction</inline>.—</heading><chapeau>A covered resolution may be introduced—</chapeau>
<subparagraph identifier="/us/bill/116/hr/7440/s8/e/2/A" id="H462FB4C57DF849F2A0C6D6AF96F368C7" class="indent2"><num value="A">(A) </num><content>in the House of Representatives, by the majority leader or the minority leader; and</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/7440/s8/e/2/B" id="HD24387EBD9AC462A9D12931AE7B1CA9C" class="indent2"><num value="B">(B) </num><content>in the Senate, by the majority leader (or the majority leaders designee) or the minority leader (or the minority leaders designee).</content></subparagraph></paragraph>
<paragraph identifier="/us/bill/116/hr/7440/s8/e/3" id="HBE1F86F5E860400B8AF504E3C93F4DDC" class="indent1"><num value="3">(3) </num><heading><inline class="smallCaps">Floor consideration in house of representatives</inline>.—</heading><content>If a committee of the House of Representatives to which a covered resolution has been referred has not reported the resolution within 10 legislative days after the date of referral, that committee shall be discharged from further consideration of the resolution.</content></paragraph>
<paragraph identifier="/us/bill/116/hr/7440/s8/e/4" id="HF1F0372624A243C1ACD54F7CF7971ACA" class="indent1"><num value="4">(4) </num><heading><inline class="smallCaps">Consideration in the senate</inline>.—</heading>
<subparagraph identifier="/us/bill/116/hr/7440/s8/e/4/A" id="H84810176DF674F40A377D4A6728766A5" class="indent2"><num value="A">(A) </num><heading><inline class="smallCaps">Committee referral</inline>.—</heading>
<clause identifier="/us/bill/116/hr/7440/s8/e/4/A/i" id="H386DE82A73814B1C9518A820A12F6B37" class="indent3"><num value="i">(i) </num><heading><inline class="smallCaps">Disapproval resolution</inline>.—</heading><chapeau>A disapproval resolution introduced in the Senate shall be—</chapeau>
<subclause identifier="/us/bill/116/hr/7440/s8/e/4/A/i/I" id="H40CED804873F4D3A9447E6726ACF3110" class="indent4"><num value="I">(I) </num><content>referred to the Committee on Banking, Housing, and Urban Affairs if the resolution relates to an action that is not intended to significantly alter United States foreign policy with regard to China; and</content></subclause>
<subclause identifier="/us/bill/116/hr/7440/s8/e/4/A/i/II" id="H36F4DA2BF1A54DB781C7F49AA129478B" class="indent4"><num value="II">(II) </num><content>referred to the Committee on Foreign Relations if the resolution relates to an action that is intended to significantly alter United States foreign policy with regard to China.</content></subclause></clause>
<clause identifier="/us/bill/116/hr/7440/s8/e/4/A/ii" id="HB3DC5CB4BBC1447784AB30B00224260F" class="indent3"><num value="ii">(ii) </num><heading><inline class="smallCaps">Termination resolution</inline>.—</heading><content>A termination resolution introduced in the Senate shall be referred to the Committee on Banking, Housing, and Urban Affairs and the Committee on Foreign Relations.</content></clause></subparagraph>
<subparagraph identifier="/us/bill/116/hr/7440/s8/e/4/B" id="H4C289DE797794A3E8F988A1A2AEEFA10" class="indent2"><num value="B">(B) </num><heading><inline class="smallCaps">Reporting and discharge</inline>.—</heading><content>If a committee to which a covered resolution was referred has not reported the resolution within 10 calendar days after the date of referral of the resolution, that committee shall be discharged from further consideration of the resolution and the resolution shall be placed on the appropriate calendar.</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/7440/s8/e/4/C" id="HABC9E15FA09D4088BECC2BD3E2C71933" class="indent2"><num value="C">(C) </num><heading><inline class="smallCaps">Proceeding to consideration</inline>.—</heading><content>Notwithstanding Rule XXII of the Standing Rules of the Senate, it is in order at any time after the Committee on Banking, Housing, and Urban Affairs or the Committee on Foreign Relations, as the case may be, reports a covered resolution to the Senate or has been discharged from consideration of such a resolution (even though a previous motion to the same effect has been disagreed to) to move to proceed to the consideration of the resolution, and all points of order against the resolution (and against consideration of the resolution) are waived. The motion to proceed is not debatable. The motion is not subject to a motion to postpone. A motion to reconsider the vote by which the motion is agreed to or disagreed to shall not be in order.</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/7440/s8/e/4/D" id="H9B0DFB1A2FD1411DB1E564C98D74F029" class="indent2"><num value="D">(D) </num><heading><inline class="smallCaps">Rulings of the chair on procedure</inline>.—</heading><content>Appeals from the decisions of the Chair relating to the application of the rules of the Senate, as the case may be, to the procedure relating to a covered resolution shall be decided without debate.</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/7440/s8/e/4/E" id="H19D7C7FA1B664AE38C88DDF3EB7622AE" class="indent2"><num value="E">(E) </num><heading><inline class="smallCaps">Consideration of veto messages</inline>.—</heading><content>Debate in the Senate of any veto message with respect to a covered resolution, including all debatable motions and appeals in connection with the resolution, shall be limited to 10 hours, to be equally divided between, and controlled by, the majority leader and the minority leader or their designees.</content></subparagraph></paragraph>
<paragraph identifier="/us/bill/116/hr/7440/s8/e/5" id="H8B53C079112B4DC491156D8560E4A96C" class="indent1"><num value="5">(5) </num><heading><inline class="smallCaps">Rules relating to senate and house of representatives</inline>.—</heading>
<subparagraph identifier="/us/bill/116/hr/7440/s8/e/5/A" id="H2755F03CD8594C36B4AF5AE1BF5FDDA7" class="indent2"><num value="A">(A) </num><heading><inline class="smallCaps">Treatment of senate resolution in house</inline>.—</heading><chapeau>In the House of Representatives, the following procedures shall apply to a covered resolution received from the Senate (unless the House has already passed a resolution relating to the same proposed action):</chapeau>
<clause identifier="/us/bill/116/hr/7440/s8/e/5/A/i" id="HD554825193514612878A0CFAA5B57DF2" class="indent3"><num value="i">(i) </num><content>The resolution shall be referred to the appropriate committees.</content></clause>
<clause identifier="/us/bill/116/hr/7440/s8/e/5/A/ii" id="H2FFCA6CA18A34DF48646172DAD176C2E" class="indent3"><num value="ii">(ii) </num><content>If a committee to which a resolution has been referred has not reported the resolution within 10 legislative days after the date of referral, that committee shall be discharged from further consideration of the resolution.</content></clause>
<clause identifier="/us/bill/116/hr/7440/s8/e/5/A/iii" id="HFD9793F2E79E46FF9BA3B7A1524C3D71" class="indent3"><num value="iii">(iii) </num><content>Beginning on the third legislative day after each committee to which a resolution has been referred reports the resolution to the House or has been discharged from further consideration thereof, it shall be in order to move to proceed to consider the resolution in the House. All points of order against the motion are waived. Such a motion shall not be in order after the House has disposed of a motion to proceed on the resolution. The previous question shall be considered as ordered on the motion to its adoption without intervening motion. The motion shall not be debatable. A motion to reconsider the vote by which the motion is disposed of shall not be in order.</content></clause>
<clause identifier="/us/bill/116/hr/7440/s8/e/5/A/iv" id="HC235ACD824B4454AA033E5D7BD3D0FE2" class="indent3"><num value="iv">(iv) </num><content>The resolution shall be considered as read. All points of order against the resolution and against its consideration are waived. The previous question shall be considered as ordered on the resolution to final passage without intervening motion except 2 hours of debate equally divided and controlled by the offeror of the motion to proceed (or a designee) and an opponent. A motion to reconsider the vote on passage of the resolution shall not be in order.</content></clause></subparagraph>
<subparagraph identifier="/us/bill/116/hr/7440/s8/e/5/B" id="H7E2389B4703249D09B0D3273CE0E734B" class="indent2"><num value="B">(B) </num><heading><inline class="smallCaps">Treatment of house resolution in senate</inline>.—</heading>
<clause identifier="/us/bill/116/hr/7440/s8/e/5/B/i" id="HA5DA1F7D920347DD8F715005EAC9BB2D" class="indent3"><num value="i">(i) </num><heading><inline class="smallCaps">Received before passage of senate resolution</inline>.—</heading><chapeau>If, before the passage by the Senate of a covered resolution, the Senate receives an identical resolution from the House of Representatives, the following procedures shall apply:</chapeau>
<subclause identifier="/us/bill/116/hr/7440/s8/e/5/B/i/I" id="H22B8933405064DE4A392F1CA71FD895C" class="indent4"><num value="I">(I) </num><content>That resolution shall not be referred to a committee.</content></subclause>
<subclause identifier="/us/bill/116/hr/7440/s8/e/5/B/i/II" id="H4403BCC4651F4EB8AE904429B17EBC91" class="indent4"><num value="II">(II) </num><chapeau>With respect to that resolution—</chapeau>
<item identifier="/us/bill/116/hr/7440/s8/e/5/B/i/II/aa" id="HF9C78E6BC9E2444DB09856BE679D42BC" class="indent5"><num value="aa">(aa) </num><content>the procedure in the Senate shall be the same as if no resolution had been received from the House of Representatives; but</content></item>
<item identifier="/us/bill/116/hr/7440/s8/e/5/B/i/II/bb" id="H75D66CBFBBCC460F8330E04B180D414F" class="indent5"><num value="bb">(bb) </num><content>the vote on passage shall be on the resolution from the House of Representatives.</content></item></subclause></clause>
<clause identifier="/us/bill/116/hr/7440/s8/e/5/B/ii" id="H1916E36A9ED64B5585D88D8F215BD8BC" class="indent3"><num value="ii">(ii) </num><heading><inline class="smallCaps">Received after passage of senate resolution</inline>.—</heading><content>If, following passage of a covered resolution in the Senate, the Senate receives an identical resolution from the House of Representatives, that resolution shall be placed on the appropriate Senate calendar.</content></clause>
<clause identifier="/us/bill/116/hr/7440/s8/e/5/B/iii" id="H71E6BC6AD23E4C5091F7C05CC82B0282" class="indent3"><num value="iii">(iii) </num><heading><inline class="smallCaps">No senate companion</inline>.—</heading><content>If a covered resolution is received from the House of Representatives, and no companion resolution has been introduced in the Senate, the Senate procedures under this subsection shall apply to the resolution from the House of Representatives.</content></clause></subparagraph>
<subparagraph identifier="/us/bill/116/hr/7440/s8/e/5/C" id="H33524264EA0D44B89151C166073D327A" class="indent2"><num value="C">(C) </num><heading><inline class="smallCaps">Application to revenue measures</inline>.—</heading><content>The provisions of this paragraph shall not apply in the House of Representatives to a covered resolution that is a revenue measure.</content></subparagraph></paragraph>
<paragraph identifier="/us/bill/116/hr/7440/s8/e/6" id="H76F33F2929F94EC0931AA2E7C906EAF3" class="indent1"><num value="6">(6) </num><heading><inline class="smallCaps">Rules of house of representatives and senate</inline>.—</heading><chapeau>This subsection is enacted by Congress—</chapeau>
<subparagraph identifier="/us/bill/116/hr/7440/s8/e/6/A" id="H64B627FA083D45118AA38EB7318BEE4B" class="indent2"><num value="A">(A) </num><content>as an exercise of the rulemaking power of the Senate and the House of Representatives, respectively, and as such is deemed a part of the rules of each House, respectively, and supersedes other rules only to the extent that it is inconsistent with such rules; and</content></subparagraph>
<subparagraph identifier="/us/bill/116/hr/7440/s8/e/6/B" id="H239E1E73E14244DDB9EEFCE499F93E6B" class="indent2"><num value="B">(B) </num><content>with full recognition of the constitutional right of either House to change the rules (so far as relating to the procedure of that House) at any time, in the same manner, and to the same extent as in the case of any other rule of that House.</content></subparagraph></paragraph></subsection></section>
<section identifier="/us/bill/116/hr/7440/s9" id="HD532553A9A154DCDBB1681475A21EABD"><num value="9">SEC. 9. </num><heading>IMPLEMENTATION; PENALTIES.</heading>
<subsection identifier="/us/bill/116/hr/7440/s9/a" id="H3AE176FE0E87492BA1C8F40B521E0F04" class="indent0"><num value="a">(a) </num><heading><inline class="smallCaps">Implementation</inline>.—</heading><content>The President may exercise all authorities provided under sections 203 and 205 of the International Emergency Economic Powers Act (<ref href="/us/usc/t50/s1702">50 U.S.C. 1702</ref> and 1704) to the extent necessary to carry out this Act.</content></subsection>
<subsection identifier="/us/bill/116/hr/7440/s9/b" id="H59F6AAB10C984308835E631D096FFD6A" class="indent0"><num value="b">(b) </num><heading><inline class="smallCaps">Penalties</inline>.—</heading><content>A person that violates, attempts to violate, conspires to violate, or causes a violation of section 6 or 7 or any regulation, license, or order issued to carry out that section shall be subject to the penalties set forth in subsections (b) and (c) of section 206 of the International Emergency Economic Powers Act (<ref href="/us/usc/t50/s1705">50 U.S.C. 1705</ref>) to the same extent as a person that commits an unlawful act described in subsection (a) of that section. </content></subsection></section>
<section identifier="/us/bill/116/hr/7440/s10" id="H20E85EF88FE54A7A8156137C11A29DAF"><num value="10">SEC. 10. </num><heading>RULE OF CONSTRUCTION.</heading><content class="block">Nothing in this Act shall be construed as an authorization of military force against China.</content></section></main><endMarker>○</endMarker></bill>

File diff suppressed because one or more lines are too long

View File

@@ -0,0 +1,32 @@
<?xml version="1.0" encoding="UTF-8"?><?xml-stylesheet type="text/css" href="uslm.css"?><resolution xmlns="http://schemas.gpo.gov/xml/uslm" xmlns:dc="http://purl.org/dc/elements/1.1/" xmlns:html="http://www.w3.org/1999/xhtml" xmlns:uslm="http://schemas.gpo.gov/xml/uslm" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://schemas.gpo.gov/xml/uslm uslm-2.1.0.xsd" xml:lang="en" id="H17C11B61C12842C08DD5E189D70BF5BE"><!--Disclaimer: Legislative measures that include compacts or other non-standard data structures will require additional modeling and may contain inconsistencies in the converted USLM XML.--> <meta>
<dc:title>116 HCONRES 105 RDS: Permitting the remains of the Honorable John Lewis, late a Representative from the State of Georgia, to lie in state in the rotunda of the Capitol.</dc:title>
<dc:type>House Concurrent Resolution</dc:type>
<docNumber>105</docNumber>
<citableAs>116 HCONRES 105 RDS</citableAs>
<citableAs>116hconres105rds</citableAs>
<citableAs>116 H. Con. Res. 105 RDS</citableAs>
<docStage>Received in Senate</docStage>
<currentChamber>SENATE</currentChamber>
<dc:creator>United States Senate</dc:creator>
<processedBy>GPO XPub Bill to USLM Generator, version 0.5 + manual changes</processedBy>
<processedDate>2024-09-09</processedDate>
<dc:publisher>United States Government Publishing Office</dc:publisher>
<dc:format>text/xml</dc:format>
<dc:language>EN</dc:language>
<dc:rights>Pursuant to Title 17 Section 105 of the United States Code, this file is not subject to copyright protection and is in the public domain.</dc:rights>
<congress>116</congress>
<session>2</session>
<publicPrivate>public</publicPrivate></meta>
<preface>
<slugLine> HCON 105 RDS</slugLine>
<distributionCode display="yes">III</distributionCode>
<congress value="116">116th CONGRESS</congress>
<session value="2">2d Session</session>
<dc:type>H. CON. RES. </dc:type>
<docNumber>105</docNumber>
<currentChamber value="SENATE">IN THE SENATE OF THE UNITED STATES</currentChamber>
<action><date><inline class="smallCaps">July </inline>27, 2020</date><actionDescription>Received</actionDescription></action></preface>
<main styleType="traditional" id="HF9A30ED42E694333942AE2C1279659E4"><longTitle><docTitle>CONCURRENT RESOLUTION</docTitle><officialTitle>Permitting the remains of the Honorable John Lewis, late a Representative from the State of Georgia, to lie in state in the rotunda of the Capitol.</officialTitle></longTitle><resolvingClause class="inline"><i>Resolved by the House of Representatives (the Senate concurring), </i></resolvingClause><section id="H32CFEE98EE9346ABAA9DBAA59838B462" class="inline"><content class="inline">That in recognition of the long and distinguished service rendered to the Nation by the Honorable John Lewis, late a Representative from the State of Georgia, his remains shall be permitted to lie in state in the Rotunda of the Capitol from July 27, 2020, through July 29, 2020, and the Architect of the Capitol, <br verticalSpace="nextPage"/> under the direction of the President pro tempore of the Senate and the Speaker of the House of Representatives, shall take all necessary steps for the accomplishment of that purpose.</content></section></main>
<attestation><action><actionDescription>Passed the House of Representatives </actionDescription><date date="2020-07-24" meta="chamber:House">July 24, 2020</date>.</action>
<signatures>
<signature><notation type="attestation">Attest: </notation><name>CHERYL L. JOHNSON,</name><role>Clerk.</role></signature></signatures></attestation></resolution>

View File

@@ -0,0 +1,49 @@
<?xml version="1.0" encoding="UTF-8"?><?xml-stylesheet type="text/css" href="uslm.css"?><resolution xmlns="http://schemas.gpo.gov/xml/uslm" xmlns:dc="http://purl.org/dc/elements/1.1/" xmlns:html="http://www.w3.org/1999/xhtml" xmlns:uslm="http://schemas.gpo.gov/xml/uslm" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://schemas.gpo.gov/xml/uslm uslm-2.1.0.xsd" xml:lang="en" id="HD0219FC26FAE400786F9F87086496204"><!--Disclaimer: Legislative measures that include compacts or other non-standard data structures will require additional modeling and may contain inconsistencies in the converted USLM XML.--> <meta>
<dc:title>116 HCONRES 16 RH: Authorizing the use of the Capitol Grounds for the National Peace Officers Memorial Service and the National Honor Guard and Pipe Band Exhibition.</dc:title>
<dc:type>House Concurrent Resolution</dc:type>
<docNumber>16</docNumber>
<citableAs>116 HCONRES 16 RH</citableAs>
<citableAs>116hconres16rh</citableAs>
<citableAs>116 H. Con. Res. 16 RH</citableAs>
<docStage>Reported in House</docStage>
<currentChamber>HOUSE</currentChamber>
<dc:creator>United States House of Representatives</dc:creator>
<processedBy>GPO XPub Bill to USLM Generator, version 0.5 + manual changes</processedBy>
<processedDate>2024-09-09</processedDate>
<dc:publisher>United States Government Publishing Office</dc:publisher>
<dc:format>text/xml</dc:format>
<dc:language>EN</dc:language>
<dc:rights>Pursuant to Title 17 Section 105 of the United States Code, this file is not subject to copyright protection and is in the public domain.</dc:rights>
<relatedDocument role="calendar" href="/us/116/hcal/House/16">House Calendar No. 16</relatedDocument>
<congress>116</congress>
<session>1</session>
<relatedDocument role="report" href="/us/hrpt/116/30" value="CRPT-116hrpt30">[Report No. 11630]</relatedDocument>
<publicPrivate>public</publicPrivate></meta>
<preface>
<slugLine>•HCON 16 RH</slugLine>
<distributionCode display="yes">IV</distributionCode>
<relatedDocument role="calendar" href="/us/116/hcal/House/16">House Calendar No. 16</relatedDocument>
<congress value="116">116th CONGRESS</congress>
<session value="1">1st Session</session>
<dc:type>H. CON. RES. </dc:type>
<docNumber>16</docNumber>
<relatedDocument role="report" href="/us/hrpt/116/30" value="CRPT-116hrpt30">[Report No. 11630]</relatedDocument>
<dc:title>Authorizing the use of the Capitol Grounds for the National Peace Officers Memorial Service and the National Honor Guard and Pipe Band Exhibition.</dc:title>
<currentChamber value="HOUSE">IN THE HOUSE OF REPRESENTATIVES</currentChamber>
<action><date date="2019-02-08"><inline class="smallCaps">February </inline>8, 2019</date><actionDescription><sponsor bioGuideId="T000468">Ms. <inline class="smallCaps">Titus</inline></sponsor> (for herself and <cosponsor bioGuideId="M001187">Mr. <inline class="smallCaps">Meadows</inline></cosponsor>) submitted the following concurrent resolution; which was referred to the <committee committeeId="HPW00">Committee on Transportation and Infrastructure</committee></actionDescription></action>
<action><date><inline class="smallCaps">April </inline>2, 2019</date><actionDescription>Referred to the House Calendar and ordered to be printed</actionDescription></action></preface>
<main id="H1ED7777B533E42FC9A9C2FE10E21D576" styleType="OLC"><longTitle><docTitle>CONCURRENT RESOLUTION</docTitle><officialTitle>Authorizing the use of the Capitol Grounds for the National Peace Officers Memorial Service and the National Honor Guard and Pipe Band Exhibition.</officialTitle></longTitle><resolvingClause><i>Resolved by the House of Representatives (the Senate concurring), </i></resolvingClause>
<section identifier="/us/resolution/116/hconres/16/s1" id="H75292133C14E411AB61A22DC73BB11A3"><num value="1">SECTION 1. </num><heading>USE OF THE CAPITOL GROUNDS FOR NATIONAL PEACE OFFICERS MEMORIAL SERVICE.</heading>
<subsection identifier="/us/resolution/116/hconres/16/s1/a" id="H6F4AF96EC73246FA8A031487663E5605" class="indent0"><num value="a">(a) </num><heading><inline class="smallCaps">In General</inline>.—</heading><content>The Grand Lodge of the Fraternal Order of Police and its auxiliary shall be permitted to sponsor a public event, the 38th Annual National Peace Officers Memorial Service (in this resolution referred to as the “Memorial Service”), on the Capitol Grounds, in order to honor the law enforcement officers who died in the line of duty during 2018.</content></subsection>
<subsection identifier="/us/resolution/116/hconres/16/s1/b" id="HA6273FDE2944495F9BCDB6FAD54484AB" class="indent0"><num value="b">(b) </num><heading><inline class="smallCaps">Date of Memorial Service</inline>.—</heading><content>The Memorial Service shall be held on May 15, 2019, or on such other date as the Speaker of the House of Representatives and the Committee on Rules and Administration of the Senate jointly designate, with preparation for the event to begin on May 11, 2019, and takedown completed on May 16, 2019.</content></subsection></section>
<section identifier="/us/resolution/116/hconres/16/s2" id="H4A2A55B50C774A619E9247FC3DE492E6"><num value="2">SEC. 2. </num><heading>USE OF THE CAPITOL GROUNDS FOR NATIONAL HONOR GUARD AND PIPE BAND EXHIBITION.</heading>
<subsection identifier="/us/resolution/116/hconres/16/s2/a" id="HB63DF835093542EC9F4952DF628E55D7" class="indent0"><num value="a">(a) </num><heading><inline class="smallCaps">In General</inline>.—</heading><content>The Grand Lodge of the Fraternal Order of Police and its auxiliary shall be permitted to sponsor a public event, the National Honor Guard and Pipe Band Exhibition (in this resolution referred to as the “Exhibition”), on the Capitol Grounds, in order to allow law enforcement representatives to exhibit their ability to demonstrate Honor Guard programs and provide for a bagpipe exhibition.</content></subsection>
<subsection identifier="/us/resolution/116/hconres/16/s2/b" id="HF38CA28E2D0042B1B3176B22130469DE" class="indent0"><num value="b">(b) </num><heading><inline class="smallCaps">Date of Exhibition</inline>.—</heading><content>The Exhibition shall be held on May 14, 2019, or on such other date as the Speaker of the House of Representatives and the Committee on Rules and Administration of the Senate jointly designate.</content></subsection></section>
<section identifier="/us/resolution/116/hconres/16/s3" id="H4EDDAB01A3DB453093BFF0C7FD7CA83F"><num value="3">SEC. 3. </num><heading>TERMS AND CONDITIONS.</heading>
<subsection identifier="/us/resolution/116/hconres/16/s3/a" id="HEA4392C18978468A9D94C3989913A38F" class="indent0"><num value="a">(a) </num><heading><inline class="smallCaps">In General</inline>.—</heading><chapeau>Under conditions to be prescribed by the Architect of the Capitol and the Capitol Police Board, the event shall be—</chapeau>
<paragraph identifier="/us/resolution/116/hconres/16/s3/a/1" id="H3AAEEDDB80C141319E83B929778F2284" class="indent1"><num value="1">(1) </num><content>free of admission charge and open to the public; and</content></paragraph>
<paragraph identifier="/us/resolution/116/hconres/16/s3/a/2" id="H00850B2BEC794DF5AA6FFF0EB0D20627" class="indent1"><num value="2">(2) </num><content>arranged not to interfere with the needs of Congress.</content></paragraph></subsection>
<subsection identifier="/us/resolution/116/hconres/16/s3/b" id="H6300639F5725445C89453F0CA56A789F" class="indent0"><num value="b">(b) </num><heading><inline class="smallCaps">Expenses and Liabilities</inline>.—</heading><content>The sponsors of the Memorial Service and Exhibition shall assume full responsibility for all expenses and liabilities incident to all activities associated with the events.</content></subsection></section>
<section identifier="/us/resolution/116/hconres/16/s4" id="H9A9FA68687B04DE8B6CAFCB1C2B4FC40"><num value="4">SEC. 4. </num><heading>EVENT PREPARATIONS.</heading><content class="block">Subject to the approval of the Architect of the Capitol, the sponsors referred to in section 3(b) are authorized to erect upon the Capitol Grounds such stage, sound amplification devices, and other related structures and equipment, as may be required for the Memorial Service and Exhibition.</content></section>
<section identifier="/us/resolution/116/hconres/16/s5" id="H9F89068D5C1846B489DA247B8F58D546"><num value="5">SEC. 5. </num><heading>ENFORCEMENT OF RESTRICTIONS.</heading><content class="block">The Capitol Police Board shall provide for enforcement of the restrictions contained in <ref href="/us/usc/t40/s5104/c">section 5104(c) of title 40, United States Code</ref>, concerning sales, advertisements, displays, and solicitations on the Capitol Grounds, as well as other restrictions applicable to the Capitol Grounds, in connection with the events.</content></section></main>
<endorsement orientation="landscape"><relatedDocument role="calendar" href="/us/116/hcal/House/16">House Calendar No. 16</relatedDocument><congress value="116">116th CONGRESS</congress><session value="1">1st Session</session><dc:type>H. CON. RES. </dc:type><docNumber>16</docNumber><relatedDocument role="report" href="/us/hrpt/116/30" value="CRPT-116hrpt30">[Report No. 11630]</relatedDocument><longTitle><docTitle>CONCURRENT RESOLUTION</docTitle><officialTitle>Authorizing the use of the Capitol Grounds for the National Peace Officers Memorial Service and the National Honor Guard and Pipe Band Exhibition.</officialTitle></longTitle><action><date date="2019-04-02"><inline class="smallCaps">April </inline>2, 2019</date><actionDescription>Referred to the House Calendar and ordered to be printed</actionDescription></action></endorsement></resolution>

View File

@@ -0,0 +1,56 @@
<?xml version="1.0" encoding="UTF-8"?><?xml-stylesheet type="text/css" href="uslm.css"?><resolution xmlns="http://schemas.gpo.gov/xml/uslm" xmlns:dc="http://purl.org/dc/elements/1.1/" xmlns:html="http://www.w3.org/1999/xhtml" xmlns:uslm="http://schemas.gpo.gov/xml/uslm" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://schemas.gpo.gov/xml/uslm uslm-2.1.0.xsd" xml:lang="en" id="HE82111420E894DE190D6FBBF7810E69C"><!--Disclaimer: Legislative measures that include compacts or other non-standard data structures will require additional modeling and may contain inconsistencies in the converted USLM XML.--> <meta>
<dc:title>116 HCONRES 32 RFS: Expressing the sense of Congress regarding the execution-style murders of United States citizens Ylli, Agron, and Mehmet Bytyqi in the Republic of Serbia in July 1999.</dc:title>
<dc:type>House Concurrent Resolution</dc:type>
<docNumber>32</docNumber>
<citableAs>116 HCONRES 32 RFS</citableAs>
<citableAs>116hconres32rfs</citableAs>
<citableAs>116 H. Con. Res. 32 RFS</citableAs>
<docStage>Referred in Senate</docStage>
<currentChamber>SENATE</currentChamber>
<dc:creator>United States Senate</dc:creator>
<processedBy>GPO XPub Bill to USLM Generator, version 0.5 + manual changes</processedBy>
<processedDate>2024-09-09</processedDate>
<dc:publisher>United States Government Publishing Office</dc:publisher>
<dc:format>text/xml</dc:format>
<dc:language>EN</dc:language>
<dc:rights>Pursuant to Title 17 Section 105 of the United States Code, this file is not subject to copyright protection and is in the public domain.</dc:rights>
<congress>116</congress>
<session>1</session>
<publicPrivate>public</publicPrivate></meta>
<preface>
<slugLine> HCON 32 RFS</slugLine>
<distributionCode display="yes">III</distributionCode>
<congress value="116">116th CONGRESS</congress>
<session value="1">1st Session</session>
<dc:type>H. CON. RES. </dc:type>
<docNumber>32</docNumber>
<currentChamber value="SENATE">IN THE SENATE OF THE UNITED STATES</currentChamber>
<action><date date="2019-10-23"><inline class="smallCaps">October </inline>23, 2019</date><actionDescription>Received and referred to the <committee committeeId="SSFR00">Committee on Foreign Relations</committee></actionDescription></action></preface>
<main id="HFC099D0FD7894E51BA85864406D15C58" styleType="traditional"><longTitle><docTitle>CONCURRENT RESOLUTION</docTitle><officialTitle>Expressing the sense of Congress regarding the execution-style murders of United States citizens Ylli, Agron, and Mehmet Bytyqi in the Republic of Serbia in July 1999.</officialTitle></longTitle><preamble>
<recital>Whereas brothers Ylli, Agron, and Mehmet Bytyqi were citizens of the United States, born in Chicago, Illinois, to ethnic Albanian parents from what is today the Republic of Kosovo, and who subsequently lived in Hampton Bays, New York;</recital>
<recital>Whereas the three Bytyqi brothers responded to the brutality of the conflict associated with Kosovos<br verticalSpace="nextPage"/> separation from the Republic of Serbia and the Federal Republic of Yugoslavia of which Serbia was a constituent republic by joining the so-called “Atlantic Brigade” of the Kosovo Liberation Army in April 1999;</recital>
<recital>Whereas a Military-Technical Agreement between the Government of Yugoslavia and the North Atlantic Council came into effect on June 10, 1999, leading to a cessation of hostilities;</recital>
<recital>Whereas the Bytyqi brothers were arrested on June 23, 1999, by Serbian police within the Federal Republic of Yugoslavia when the brothers accidently crossed what was then an unmarked administrative border while escorting an ethnic Romani family who had been neighbors to safety outside Kosovo;</recital>
<recital>Whereas the Bytyqi brothers were jailed for 15 days for illegal entry into the Federal Republic of Yugoslavia in Prokuplje, Serbia, until a judge ordered their release on July 8, 1999;</recital>
<recital>Whereas instead of being released, the Bytyqi brothers were taken by a special operations unit of the Serbian Ministry of Internal Affairs to a training facility near Petrovo Selo, Serbia, where all three were executed;</recital>
<recital>Whereas at the time of their murders, Ylli was 25, Agron was 23, and Mehmet was 21 years of age;</recital>
<recital>Whereas Yugoslav President Slobodan Milosevic was removed from office on October 5, 2000, following massive demonstrations protesting his refusal to acknowledge and accept election results the month before;</recital>
<recital>Whereas in the following years, the political leadership of Serbia has worked to strengthen democratic institutions, to develop stronger adherence to the rule of law, and to ensure respect for human rights and fundamental freedoms, including as the Federal Republic of Yugoslavia evolved into a State Union of Serbia and Montenegro in February 2003, which itself dissolved when both republics proclaimed their respective independence in June 2006;</recital>
<recital>Whereas the United States Embassy in Belgrade, Serbia, was informed on July 17, 2001, that the bodies of Ylli, Agron, and Mehmet Bytyqi were found with their hands bound and gunshot wounds to the back of their heads, buried atop an earlier mass grave of approximately 70 bodies of murdered civilians from Kosovo;</recital>
<recital>Whereas Serbian authorities subsequently investigated but never charged those individuals who were part of the Ministry of Internal Affairs chain of command related to this crime, including former Minister of Internal Affairs Vlajko Stojilkovic, Assistant Minister and Chief of the Public Security Department Vlastimir Djordjevic, and special operations training camp commander Goran “Guri” Radosavljevic;</recital>
<recital>Whereas Vlajko Stojilkovic died of a self-inflicted gunshot wound in April 2002 prior to being transferred to the custody of the International Criminal Tribunal for the former Yugoslavia where he had been charged with crimes against humanity and violations of the laws or customs of war during the Kosovo conflict;</recital>
<recital>Whereas Vlastimir Djordjevic was arrested and transferred to the custody of the International Criminal Tribunal for the former Yugoslavia in June 2007, and sentenced in February 2011 to 27 years imprisonment (later reduced to 18 years) for crimes against humanity and violations of the laws or customs of war committed during the Kosovo conflict;</recital>
<recital>Whereas Goran “Guri” Radosavljevic is reported to reside in Serbia, working as director of a security consulting firm in Belgrade, and is a prominent member of the governing political party;</recital>
<recital>Whereas the Secretary of State designated Goran Radosavljevic of Serbia under section 7031(c) of the Department of State, Foreign Operations, and Related Programs Appropriations Act, 2018 as ineligible for entry into the United States due to his involvement in gross violations of human rights;</recital>
<recital>Whereas two Serbian Ministry of Internal Affairs officers, Sretan Popovic and Milos Stojanovic, were charged in 2006 for crimes associated with their involvement in the detention and transport of the Bytyqi brothers from Prokuplje to Petrovo Selo, but acquitted in May 2012 with an appeals court confirming the verdict in March 2013;</recital>
<recital>Whereas the Serbian President Aleksandar Vucic promised several high ranking United States officials to deliver justice in the cases of the deaths of Ylli, Agron, and Mehmet Bytyqi;</recital>
<recital>Whereas no individual has ever been found guilty for the murders of Ylli, Agron, and Mehmet Bytyqi or of any other crimes associated with their deaths; and</recital>
<recital>Whereas no individual is currently facing criminal charges regarding the murder of the Bytyqi brothers despite many promises by Serbian officials to resolve the case: Now, therefore, be it</recital><resolvingClause><i>Resolved by the House of Representatives (the Senate concurring), </i></resolvingClause></preamble><section id="H8C833A3944674780B6F0E414C70C9688" class="inline"><chapeau class="inline">That it is the sense of Congress that—</chapeau>
<paragraph identifier="/us/resolution/116/hconres/32/s/1" id="HB196C14AA6304735AFF4FDC4F93D6641" class="indent1"><num value="1">(1) </num><content>those individuals responsible for the murders in July 1999 of United States citizens Ylli, Agron, and Mehmet Bytyqi in Serbia should be brought to justice;</content></paragraph>
<paragraph identifier="/us/resolution/116/hconres/32/s/2" id="HAF49847F5C92438E9CA4FDB44C1CEB84" class="indent1"><num value="2">(2) </num><content>it is reprehensible that no individual has ever been found guilty for executing the Bytyqi brothers, or of any other crimes associated with their deaths, and that no individual is even facing charges for these horrible crimes;</content></paragraph>
<paragraph identifier="/us/resolution/116/hconres/32/s/3" id="H30492098E125435ABCE30AEED330606E" class="indent1"><num value="3">(3) </num><content>the Government of Serbia and its relevant ministries and offices, including the Serbian War Crimes Prosecutors Office, should make it a priority to investigate and prosecute as soon as possible those current or former officials believed to be responsible for their deaths, directly or indirectly;</content></paragraph>
<paragraph identifier="/us/resolution/116/hconres/32/s/4" id="H5E583C290E874C4CAF33DBDCE4379F28" class="indent1"><num value="4">(4) </num><content>the United States should devote sufficient resources fully to assist and properly to monitor efforts by the Government of Serbia and its relevant ministries and offices to investigate and prosecute as soon as possible those individuals believed to be responsible for their deaths, directly or indirectly; and</content></paragraph>
<paragraph identifier="/us/resolution/116/hconres/32/s/5" id="H37BD41F4A3E542B0A62F5A7B7EFC4C73" class="indent1"><num value="5">(5) </num><content>progress in resolving this case, or the lack thereof, should remain a significant factor determining the further development of relations between the United States and the Republic of Serbia.</content></paragraph></section></main>
<attestation><action><actionDescription>Passed the House of Representatives </actionDescription><date date="2019-10-22" meta="chamber:House">October 22, 2019</date>.</action>
<signatures>
<signature><notation type="attestation">Attest: </notation><name>CHERYL L. JOHNSON,</name><role>Clerk</role>.</signature></signatures></attestation></resolution>

View File

@@ -0,0 +1,31 @@
<?xml version="1.0" encoding="UTF-8"?><?xml-stylesheet type="text/css" href="uslm.css"?><resolution xmlns="http://schemas.gpo.gov/xml/uslm" xmlns:dc="http://purl.org/dc/elements/1.1/" xmlns:html="http://www.w3.org/1999/xhtml" xmlns:uslm="http://schemas.gpo.gov/xml/uslm" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://schemas.gpo.gov/xml/uslm uslm-2.1.0.xsd" xml:lang="en" id="H3154EF665D414801AA3DB5FD2B83B900"><!--Disclaimer: Legislative measures that include compacts or other non-standard data structures will require additional modeling and may contain inconsistencies in the converted USLM XML.--> <meta>
<dc:title>116 HJRES 100 IH: Providing for congressional disapproval of the proposed foreign military sale to the United Arab Emirates of certain defense articles and services.</dc:title>
<dc:type>House Joint Resolution</dc:type>
<docNumber>100</docNumber>
<citableAs>116 HJRES 100 IH</citableAs>
<citableAs>116hjres100ih</citableAs>
<citableAs>116 H. J. Res. 100 IH</citableAs>
<docStage>Introduced in House</docStage>
<currentChamber>HOUSE</currentChamber>
<dc:creator>United States House of Representatives</dc:creator>
<processedBy>GPO XPub Bill to USLM Generator, version 0.5 + manual changes</processedBy>
<processedDate>2024-09-09</processedDate>
<dc:publisher>United States Government Publishing Office</dc:publisher>
<dc:format>text/xml</dc:format>
<dc:language>EN</dc:language>
<dc:rights>Pursuant to Title 17 Section 105 of the United States Code, this file is not subject to copyright protection and is in the public domain.</dc:rights>
<congress>116</congress>
<session>2</session>
<publicPrivate>public</publicPrivate></meta>
<preface>
<slugLine>•HJ 100 IH</slugLine>
<distributionCode display="yes">IA</distributionCode>
<congress value="116">116th CONGRESS</congress>
<session value="2">2d Session</session>
<dc:type>H. J. RES. </dc:type>
<docNumber>100</docNumber>
<dc:title>Providing for congressional disapproval of the proposed foreign military sale to the United Arab Emirates of certain defense articles and services.</dc:title>
<currentChamber value="HOUSE">IN THE HOUSE OF REPRESENTATIVES</currentChamber>
<action><date date="2020-11-19"><inline class="smallCaps">November </inline>19, 2020</date><actionDescription><sponsor bioGuideId="O000173">Ms. <inline class="smallCaps">Omar</inline></sponsor> submitted the following joint resolution; which was referred to the <committee committeeId="HFA00">Committee on Foreign Affairs</committee></actionDescription></action></preface>
<main styleType="traditional" id="HD5841844999F49E7AC40AD374E39D8B7"><longTitle><docTitle>JOINT RESOLUTION</docTitle><officialTitle>Providing for congressional disapproval of the proposed foreign military sale to the United Arab Emirates of certain defense articles and services.</officialTitle></longTitle><resolvingClause><i>Resolved by the Senate and House of Representatives of the United States of America in Congress assembled, </i></resolvingClause><section id="HAD12518B656F415C8BA6B72EC4694337" class="inline"><chapeau class="inline">That the following proposed foreign military sale to the United Arab Emirates is prohibited:</chapeau>
<paragraph identifier="/us/resolution/116/hjres/100/s/1" id="HD039CB388CCE4D479CCF0C12C06FE928" class="indent1"><num value="1">(1) </num><content>The sale of the following defense articles, including defense services and technical data, described in Transmittal No. 2101, submitted to Congress pursuant to section 36(b) of the Arms Export Control Act (<ref href="/us/usc/t22/s2776/b">22 U.S.C. 2776(b)</ref>) and published in the Congressional Record on November 10, 2020: Fifty (50) F35A Joint Strike Fighter Conventional Take-Off and Landing (CTOL) Aircraft; Fifty-four (54) Pratt &amp; Whitney F135 Engines (up to 50 installed and 4 spares); Electronic Warfare Systems; Command, Control, Communications, Computer and Intelligence/Communications, Navigational, and Identification (C4I/CNI); Autonomic Logistics Global Support System (ALGS); Operational Data Integrated Network (ODIN); Air System Training Devices; Weapons Employment Capability and other Subsystems, Features, and Capabilities; F35 unique chaff and infrared flares; reprogramming center access; F35 Performance Based Logistics; software development/integration; aircraft ferry and tanker support; aircraft and munitions support and test equipment; communications equipment; provisioning, spares, and repair parts; weapons repair and return support; personnel training and training equipment; weapon systems software, publications, and technical documents; United States Government and contractor engineering, technical, and logistics support services; and other related elements of logistical and program support. </content></paragraph></section></main><endMarker>○</endMarker></resolution>

View File

@@ -0,0 +1,32 @@
<?xml version="1.0" encoding="UTF-8"?><?xml-stylesheet type="text/css" href="uslm.css"?><resolution xmlns="http://schemas.gpo.gov/xml/uslm" xmlns:dc="http://purl.org/dc/elements/1.1/" xmlns:html="http://www.w3.org/1999/xhtml" xmlns:uslm="http://schemas.gpo.gov/xml/uslm" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://schemas.gpo.gov/xml/uslm uslm-2.1.0.xsd" xml:lang="en" id="H2290CD1F49F541FF8D46CA93631F44AF"><!--Disclaimer: Legislative measures that include compacts or other non-standard data structures will require additional modeling and may contain inconsistencies in the converted USLM XML.--> <meta>
<dc:title>116 HJRES 106 IH: Proposing an amendment to the Constitution of the United States to prohibit the use of slavery and involuntary servitude as a punishment for a crime.</dc:title>
<dc:type>House Joint Resolution</dc:type>
<docNumber>106</docNumber>
<citableAs>116 HJRES 106 IH</citableAs>
<citableAs>116hjres106ih</citableAs>
<citableAs>116 H. J. Res. 106 IH</citableAs>
<docStage>Introduced in House</docStage>
<currentChamber>HOUSE</currentChamber>
<dc:creator>United States House of Representatives</dc:creator>
<processedBy>GPO XPub Bill to USLM Generator, version 0.5 + manual changes</processedBy>
<processedDate>2024-09-09</processedDate>
<dc:publisher>United States Government Publishing Office</dc:publisher>
<dc:format>text/xml</dc:format>
<dc:language>EN</dc:language>
<dc:rights>Pursuant to Title 17 Section 105 of the United States Code, this file is not subject to copyright protection and is in the public domain.</dc:rights>
<congress>116</congress>
<session>2</session>
<publicPrivate>public</publicPrivate></meta>
<preface>
<slugLine>•HJ 106 IH</slugLine>
<distributionCode display="yes">IA</distributionCode>
<congress value="116">116th CONGRESS</congress>
<session value="2">2d Session</session>
<dc:type>H. J. RES. </dc:type>
<docNumber>106</docNumber>
<dc:title>Proposing an amendment to the Constitution of the United States to prohibit the use of slavery and involuntary servitude as a punishment for a crime.</dc:title>
<currentChamber value="HOUSE">IN THE HOUSE OF REPRESENTATIVES</currentChamber>
<action><date date="2020-12-16"><inline class="smallCaps">December </inline>16, 2020</date><actionDescription><sponsor bioGuideId="H001092">Mr. <inline class="smallCaps">Hall</inline></sponsor> submitted the following joint resolution; which was referred to the <committee committeeId="HJU00">Committee on the Judiciary</committee></actionDescription></action></preface>
<main styleType="traditional" id="H256B5FE604124415B2698457B90C292E"><longTitle><docTitle>JOINT RESOLUTION</docTitle><officialTitle>Proposing an amendment to the Constitution of the United States to prohibit the use of slavery and involuntary servitude as a punishment for a crime.</officialTitle></longTitle><resolvingClause class="inline"><i>Resolved by the Senate and House of Representatives of the United States of America in Congress assembled (two-thirds of each House concurring therein), </i></resolvingClause><section id="H4E7201E113AF43D4B93DF8D99262A4E2" class="inline"><content class="inline">That the following article is proposed as an amendment to the Constitution of the United States, which shall be valid to all intents and purposes as part of the Constitution when ratified by the legislatures of three-fourths of the several States:
<quotedContent styleType="traditional" id="H4E530E95146E4B0A82F08CC7632EA764"><article id="H3A26AC51D4E446589A747F104572156F"><num value="">“Article  —</num>
<section id="HBE34569B9ADE4C2EB39E9BBE02DCA224"><content class="block">“Neither slavery nor involuntary servitude may be imposed as a punishment for a crime.”</content></section></article></quotedContent><inline role="after-quoted-block">.</inline></content></section></main><endMarker>○</endMarker></resolution>

View File

@@ -0,0 +1,33 @@
<?xml version="1.0" encoding="UTF-8"?><?xml-stylesheet type="text/css" href="uslm.css"?><resolution xmlns="http://schemas.gpo.gov/xml/uslm" xmlns:dc="http://purl.org/dc/elements/1.1/" xmlns:html="http://www.w3.org/1999/xhtml" xmlns:uslm="http://schemas.gpo.gov/xml/uslm" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://schemas.gpo.gov/xml/uslm uslm-2.1.0.xsd" xml:lang="en" id="H50B4D94C381E4C8C90408C1102896E98"><!--Disclaimer: Legislative measures that include compacts or other non-standard data structures will require additional modeling and may contain inconsistencies in the converted USLM XML.--> <meta>
<dc:title>116 HJRES 107 RDS: Making further continuing appropriations for fiscal year 2021, and for other purposes.</dc:title>
<dc:type>House Joint Resolution</dc:type>
<docNumber>107</docNumber>
<citableAs>116 HJRES 107 RDS</citableAs>
<citableAs>116hjres107rds</citableAs>
<citableAs>116 H. J. Res. 107 RDS</citableAs>
<docStage>Received in Senate</docStage>
<currentChamber>SENATE</currentChamber>
<dc:creator>United States Senate</dc:creator>
<processedBy>GPO XPub Bill to USLM Generator, version 0.5 + manual changes</processedBy>
<processedDate>2024-09-09</processedDate>
<dc:publisher>United States Government Publishing Office</dc:publisher>
<dc:format>text/xml</dc:format>
<dc:language>EN</dc:language>
<dc:rights>Pursuant to Title 17 Section 105 of the United States Code, this file is not subject to copyright protection and is in the public domain.</dc:rights>
<congress>116</congress>
<session>2</session>
<publicPrivate>public</publicPrivate></meta>
<preface>
<slugLine> HJ 107 RDS</slugLine>
<distributionCode display="yes">IIA</distributionCode>
<congress value="116">116th CONGRESS</congress>
<session value="2">2d Session</session>
<dc:type>H. J. RES. </dc:type>
<docNumber>107</docNumber>
<currentChamber value="SENATE">IN THE SENATE OF THE UNITED STATES</currentChamber>
<action><date><inline class="smallCaps">December </inline>18, 2020</date><actionDescription>Received</actionDescription></action></preface>
<main styleType="traditional" id="HCF43A62AC3764458BA4FBAFDCF9197F5"><longTitle><docTitle>JOINT RESOLUTION</docTitle><officialTitle>Making further continuing appropriations for fiscal year 2021, and for other purposes.</officialTitle></longTitle><resolvingClause class="inline"><i>Resolved by the Senate and House of Representatives of the United States of America in Congress assembled, </i></resolvingClause><section role="undesignated-section instruction" id="HAD18E6122D534A9B977528F074D906F3" class="inline"><content class="inline">That the Continuing Appropriations Act, 2021 (<ref href="/us/pl/116/159/dA">division A of Public Law 116159</ref>) is further amended by <amendingAction type="delete">striking</amendingAction><br verticalSpace="nextPage"/> the date specified in section 106(3) and <amendingAction type="insert">inserting</amendingAction> “<quotedText>December 20, 2020</quotedText>”.</content></section>
<section id="H4F71869FE6BB496C951E3DCEE181879E"><content class="inline">This joint resolution may be cited as the “<shortTitle role="jointResolution">Further Additional Continuing Appropriations Act, 2021</shortTitle>”.</content></section></main>
<attestation><action><actionDescription>Passed the House of Representatives </actionDescription><date date="2020-12-18" meta="chamber:House">December 18, 2020</date>.</action>
<signatures>
<signature><notation type="attestation">Attest: </notation><name>CHERYL L. JOHNSON,</name><role>Clerk</role>.</signature></signatures></attestation></resolution>

View File

@@ -0,0 +1,57 @@
<?xml version="1.0" encoding="UTF-8"?><?xml-stylesheet type="text/css" href="uslm.css"?><resolution xmlns="http://schemas.gpo.gov/xml/uslm" xmlns:dc="http://purl.org/dc/elements/1.1/" xmlns:html="http://www.w3.org/1999/xhtml" xmlns:uslm="http://schemas.gpo.gov/xml/uslm" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://schemas.gpo.gov/xml/uslm uslm-2.1.0.xsd" xml:lang="en" id="H58C5C15DEF6B4B35AC2C264DCD742A43"><!--Disclaimer: Legislative measures that include compacts or other non-standard data structures will require additional modeling and may contain inconsistencies in the converted USLM XML.--> <meta>
<dc:title>116 HJRES 1 PCS: Making further continuing appropriations for the Department of Homeland Security for fiscal year 2019, and for other purposes.</dc:title>
<dc:type>House Joint Resolution</dc:type>
<docNumber>1</docNumber>
<citableAs>116 HJRES 1 PCS</citableAs>
<citableAs>116hjres1pcs</citableAs>
<citableAs>116 H. J. Res. 1 PCS</citableAs>
<docStage>Placed on Calendar Senate</docStage>
<currentChamber>SENATE</currentChamber>
<dc:creator>United States Senate</dc:creator>
<processedBy>GPO XPub Bill to USLM Generator, version 0.5 + manual changes</processedBy>
<processedDate>2024-09-09</processedDate>
<dc:publisher>United States Government Publishing Office</dc:publisher>
<dc:format>text/xml</dc:format>
<dc:language>EN</dc:language>
<dc:rights>Pursuant to Title 17 Section 105 of the United States Code, this file is not subject to copyright protection and is in the public domain.</dc:rights>
<relatedDocument role="calendar" href="/us/116/scal/6">Calendar No. 6</relatedDocument>
<congress>116</congress>
<session>1</session>
<publicPrivate>public</publicPrivate></meta>
<preface>
<slugLine> HJ 1 PCS</slugLine>
<distributionCode display="yes">IIA</distributionCode>
<relatedDocument role="calendar" href="/us/116/scal/6">Calendar No. 6</relatedDocument>
<congress value="116">116th CONGRESS</congress>
<session value="1">1st Session</session>
<dc:type>H. J. RES. </dc:type>
<docNumber>1</docNumber>
<currentChamber value="SENATE">IN THE SENATE OF THE UNITED STATES</currentChamber>
<action><date date="2019-01-04"><inline class="smallCaps">January </inline>4, 2019</date><actionDescription>Received; read the first time</actionDescription></action>
<action><date date="2019-01-08"><inline class="smallCaps">January </inline>8, 2019</date><actionDescription>Read the second time and placed on the calendar</actionDescription></action></preface>
<main styleType="appropriations" id="H06843899B7854E6DBE0B963D5270CE9A"><longTitle><docTitle>JOINT RESOLUTION</docTitle><officialTitle>Making further continuing appropriations for the Department of Homeland Security for fiscal year 2019, and for other purposes.</officialTitle></longTitle><resolvingClause><i>Resolved by the Senate and House of Representatives of the United States of America in Congress assembled, </i></resolvingClause>
<section identifier="/us/resolution/116/hjres/1/s1" id="HEF0C0643A0854CB1858BA9BF04B5F4D4"><num value="1"><inline class="smallCaps">Section 1. </inline></num><chapeau class="inline">The Continuing Appropriations Act, 2019 (<ref href="/us/pl/115/245/dC">division C of Public Law 115245</ref>) is further amended—</chapeau>
<paragraph identifier="/us/resolution/116/hjres/1/s1/1" id="H74DE0404E6EA47E98F8F3A5EF474E03B" class="indent1"><num value="1">(1) </num><chapeau>in section 105—</chapeau>
<subparagraph role="instruction" identifier="/us/resolution/116/hjres/1/s1/1/A" id="H8EB0D7B2E6F84353AA2C0DFA63EEADDE" class="indent2"><num value="A">(A) </num><content>in paragraph (2), by <amendingAction type="delete">striking</amendingAction> “<quotedText>or</quotedText>” at the end;</content></subparagraph>
<subparagraph identifier="/us/resolution/116/hjres/1/s1/1/B" id="H27B9BD17FEEC4B9CB5A8274514F5FCF4" class="indent2"><num value="B">(B) </num><chapeau>in paragraph (3)—</chapeau>
<clause role="instruction" identifier="/us/resolution/116/hjres/1/s1/1/B/i" id="HDAD9581F4D8C4DEB9CC3F7C0C9AC42CD" class="indent3"><num value="i">(i) </num><content>by <amendingAction type="insert">inserting</amendingAction> “<quotedText>except as provided in paragraph (4),</quotedText>” before “<quotedText>December</quotedText>”; and</content></clause>
<clause role="instruction" identifier="/us/resolution/116/hjres/1/s1/1/B/ii" id="HC4B26FF47CC44D3781716AEB4638F9DA" class="indent3"><num value="ii">(ii) </num><content>by <amendingAction type="delete">striking</amendingAction> the period at the end and <amendingAction type="insert">inserting</amendingAction> “<quotedText>; or</quotedText>”; and </content></clause></subparagraph>
<subparagraph role="instruction" identifier="/us/resolution/116/hjres/1/s1/1/C" id="HA9850674CE604838AB9688CAA2CF90B1" class="indent2"><num value="C">(C) </num><content>by <amendingAction type="add">adding</amendingAction> at the end the following:
<quotedContent styleType="OLC" id="HC20A5C25703F4A1B9825DDD565DCD8A1">
<paragraph id="H763747B759764D1DAD096FB9460CD397" class="indent1"><num value="4">“(4) </num><content>with respect to appropriations and funds made available, and other authorities granted, pursuant to section 101(5) of this joint resolution for the Department of Homeland Security, February 8, 2019.”</content></paragraph></quotedContent><inline role="after-quoted-block">; and</inline></content></subparagraph></paragraph>
<paragraph role="instruction" identifier="/us/resolution/116/hjres/1/s1/2" id="HD5502146AEB34679A1F7DD1D5A0FCCFA" class="indent1"><num value="2">(2) </num><content>in section 110, by <amendingAction type="add">adding</amendingAction> at the end the following:
<quotedContent styleType="OLC" id="H3CE02E30BFEF4A8CBF59E4D50B820C68">
<subsection id="H648FA127FD784796AA31562AD0CBAAAB" class="indent0"><num value="c">“(c) </num><content>With respect to mandatory payments whose budget authority was provided in the Department of Homeland Security Appropriations Act, 2018 (<ref href="/us/pl/115/141/dF">division F of Public Law 115141</ref>), subsections (a) and (b) shall be applied by substituting section 105(4) for section 105(3) each place it appears.”</content></subsection></quotedContent><inline role="after-quoted-block">.</inline></content></paragraph></section>
<section identifier="/us/resolution/116/hjres/1/s2" id="H86164C2AD64240C5856D4F02A31DE7DE"><num value="2"><inline class="smallCaps">Sec. 2. </inline></num><subsection identifier="/us/resolution/116/hjres/1/s2/a" id="H49750D2E7CA6407B8A197A388275E695" class="inline"><num value="a">(a) </num><content>Employees furloughed as a result of a lapse in appropriations beginning on or about December 22, 2018, and ending on the date of the enactment of this joint resolution shall be compensated at their standard rate of compensation, for the period of such lapse in appropriations, as soon as practicable after such lapse in appropriations ends.</content></subsection>
<subsection identifier="/us/resolution/116/hjres/1/s2/b" id="HC0DFCABA38D148A18ED2C2B1FACE96A3" class="indent0"><num value="b">(b) </num><content>For purposes of this section, “employee” means any Federal employee whose salary and expenses are provided by the amendment made by section 1(1)(C).</content></subsection>
<subsection identifier="/us/resolution/116/hjres/1/s2/c" id="H867D76D44C3C4E4899F4E012B9FF4993" class="indent0"><num value="c">(c) </num><content>All obligations incurred in anticipation of the appropriations made and authority granted by this joint resolution for the purposes of maintaining the essential level of activity to protect life and property and bringing about orderly termination of Government functions, and for purposes as otherwise authorized by law, are hereby ratified and approved if otherwise in accord with the provisions of this joint resolution.</content></subsection></section>
<section identifier="/us/resolution/116/hjres/1/s3" id="H9AB9B23F0254477F80945CEF4B7CF970"><num value="3"><inline class="smallCaps">Sec. 3. </inline></num><subsection identifier="/us/resolution/116/hjres/1/s3/a" id="HE0441823B3584D0FA77B58AACA810D49" class="inline"><num value="a">(a) </num><chapeau>If a State (or another Federal grantee) used State funds (or the grantees non-Federal funds) to continue carrying out a Federal program or furloughed State employees (or the grantees employees) whose compensation is advanced or reimbursed in whole or in part by the Federal Government—</chapeau>
<paragraph identifier="/us/resolution/116/hjres/1/s3/a/1" id="H300A9B61722D4DA69DF6AFF863B1BE89" class="indent1"><num value="1">(1) </num><content>such furloughed employees shall be compensated at their standard rate of compensation for such period;</content></paragraph>
<paragraph identifier="/us/resolution/116/hjres/1/s3/a/2" id="H681EC183AF374446BF7E7DA141F62843" class="indent1"><num value="2">(2) </num><content>the State (or such other grantee) shall be reimbursed for expenses that would have been paid by the Federal Government during such period had appropriations been available, including the cost of compensating such furloughed employees, together with interest thereon calculated under <ref href="/us/usc/t31/s6503/d">section 6503(d) of title 31, United States Code</ref>; and</content></paragraph>
<paragraph identifier="/us/resolution/116/hjres/1/s3/a/3" id="HAD27441E994F4694893C88387CFC821D" class="indent1"><num value="3">(3) </num><content>the State (or such other grantee) may use funds available to the State (or the grantee) under such Federal program to reimburse such State (or the grantee), together with interest thereon calculated under <ref href="/us/usc/t31/s6503/d">section 6503(d) of title 31, United States Code</ref>.</content></paragraph></subsection>
<subsection role="definitions" identifier="/us/resolution/116/hjres/1/s3/b" id="H6B070B5646814468AC23DA9A74E33499" class="indent0"><num value="b">(b) </num><content>For purposes of this section, the term “<term>State</term>” and the term “<term>grantee</term>”, including United States territories and possessions, shall have the meaning given such terms under the applicable Federal program under subsection (a). In addition, “to continue carrying out a Federal program” means the continued performance by a State or other Federal grantee, during the period of a lapse in appropriations, of a Federal program that the State or such other grantee had been carrying out prior to the period of the lapse in appropriations.</content></subsection>
<subsection identifier="/us/resolution/116/hjres/1/s3/c" id="H41E0D5F03DC349EDBBCFA43B896DF5AE" class="indent0"><num value="c">(c) </num><content>The authority under this section applies with respect to the period of a lapse in appropriations beginning on or about December 22, 2018, and ending on the date of enactment of this joint resolution with respect to the Department of Homeland Security which, but for such lapse in appropriations, would have paid, or made reimbursement relating to, any of the expenses referred to in this section with respect to the program involved. Payments and reimbursements under this authority shall be made only to the extent and in amounts provided in advance in appropriations Acts.</content></subsection></section></main>
<attestation><action><actionDescription>Passed the House of Representatives </actionDescription><date date="2019-01-03" meta="chamber:House">January 3, 2019</date>.</action>
<signatures>
<signature><notation type="attestation">Attest: </notation><name>KAREN L. HAAS,</name><role>Clerk.</role></signature></signatures></attestation>
<endorsement orientation="landscape"><relatedDocument role="calendar" href="/us/116/scal/6">Calendar No. 6</relatedDocument><congress value="116">116th CONGRESS</congress><session value="1">1st Session</session><dc:type>H. J. RES. </dc:type><docNumber>1</docNumber><longTitle><docTitle>JOINT RESOLUTION</docTitle><officialTitle>Making further continuing appropriations for the Department of Homeland Security for fiscal year 2019, and for other purposes.</officialTitle></longTitle><action><date date="2019-01-08"><inline class="smallCaps">January </inline>8, 2019</date><actionDescription>Read the second time and placed on the calendar</actionDescription></action></endorsement></resolution>

View File

@@ -0,0 +1,60 @@
<?xml version="1.0" encoding="UTF-8"?><?xml-stylesheet type="text/css" href="uslm.css"?><resolution xmlns="http://schemas.gpo.gov/xml/uslm" xmlns:dc="http://purl.org/dc/elements/1.1/" xmlns:html="http://www.w3.org/1999/xhtml" xmlns:uslm="http://schemas.gpo.gov/xml/uslm" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://schemas.gpo.gov/xml/uslm uslm-2.1.0.xsd" xml:lang="en" id="H7F6AA1E633C64DEE806AF96B9D742139"><!--Disclaimer: Legislative measures that include compacts or other non-standard data structures will require additional modeling and may contain inconsistencies in the converted USLM XML.--> <meta>
<dc:title>116 HJRES 37 RFS: Directing the removal of United States Armed Forces from hostilities in the Republic of Yemen that have not been authorized by Congress.</dc:title>
<dc:type>House Joint Resolution</dc:type>
<docNumber>37</docNumber>
<citableAs>116 HJRES 37 RFS</citableAs>
<citableAs>116hjres37rfs</citableAs>
<citableAs>116 H. J. Res. 37 RFS</citableAs>
<docStage>Referred in Senate</docStage>
<currentChamber>SENATE</currentChamber>
<dc:creator>United States Senate</dc:creator>
<processedBy>GPO XPub Bill to USLM Generator, version 0.5 + manual changes</processedBy>
<processedDate>2024-09-09</processedDate>
<dc:publisher>United States Government Publishing Office</dc:publisher>
<dc:format>text/xml</dc:format>
<dc:language>EN</dc:language>
<dc:rights>Pursuant to Title 17 Section 105 of the United States Code, this file is not subject to copyright protection and is in the public domain.</dc:rights>
<congress>116</congress>
<session>1</session>
<publicPrivate>public</publicPrivate></meta>
<preface>
<slugLine> HJ 37 RFS</slugLine>
<distributionCode display="yes">IIB</distributionCode>
<congress value="116">116th CONGRESS</congress>
<session value="1">1st Session</session>
<dc:type>H. J. RES. </dc:type>
<docNumber>37</docNumber>
<currentChamber value="SENATE">IN THE SENATE OF THE UNITED STATES</currentChamber>
<action><date><inline class="smallCaps">February </inline>14, 2019</date><actionDescription>Received; read twice and referred to the <committee committeeId="SSFR00">Committee on Foreign Relations</committee></actionDescription></action></preface>
<main changed="added" id="H740F69BB58744EF7A07D1FE2876B7B0D" styleType="OLC"><longTitle><docTitle>JOINT RESOLUTION</docTitle><officialTitle>Directing the removal of United States Armed Forces from hostilities in the Republic of Yemen that have not been authorized by Congress.</officialTitle></longTitle><resolvingClause><i>Resolved by the Senate and House of Representatives of the United States of America in Congress assembled, </i></resolvingClause>
<section identifier="/us/resolution/116/hjres/37/s1" id="H08A566D2DF6049729E1AB19506AE44BD"><num value="1">SECTION 1. </num><heading>FINDINGS.</heading><content>
<p>Congress finds the following:</p><br verticalSpace="nextPage"/>
<paragraph identifier="/us/resolution/116/hjres/37/s1/1" id="H1A1645EEC86F41B7BCFC124BA65817AA" class="indent1"><num value="1">(1) </num><content>Congress has the sole power to declare war under <ref href="/us/cons/aI/s8/11">article I, section 8, clause 11 of the United States Constitution</ref>.</content></paragraph>
<paragraph identifier="/us/resolution/116/hjres/37/s1/2" id="H31C6F995B801448C82431FC7D91A937D" class="indent1"><num value="2">(2) </num><content>Congress has not declared war with respect to, or provided a specific statutory authorization for, the conflict between military forces led by Saudi Arabia, including forces from the United Arab Emirates, Bahrain, Kuwait, Egypt, Jordan, Morocco, Senegal, and Sudan (the Saudi-led coalition), against the Houthis, also known as Ansar Allah, in the Republic of Yemen.</content></paragraph>
<paragraph identifier="/us/resolution/116/hjres/37/s1/3" id="HF0CB753A37DC4AA88689042C6674ABC9" class="indent1"><num value="3">(3) </num><content>Since March 2015, members of the United States Armed Forces have been introduced into hostilities between the Saudi-led coalition and the Houthis, including providing to the Saudi-led coalition aerial targeting assistance, intelligence sharing, and mid-flight aerial refueling.</content></paragraph>
<paragraph identifier="/us/resolution/116/hjres/37/s1/4" id="H9F58D2E418FE465D9A30A7425F0EB270" class="indent1"><num value="4">(4) </num><content>The United States has established a Joint Combined Planning Cell with Saudi Arabia, in which members of the United States Armed Forces assist in aerial targeting and help to coordinate military and intelligence activities.</content></paragraph>
<paragraph identifier="/us/resolution/116/hjres/37/s1/5" id="H793F2AD56D1B4B4A90823D021C97E6CC" class="indent1"><num value="5">(5) </num><content>In December 2017, Secretary of Defense James N. Mattis stated, “We have gone in to be very—to be helpful where we can in identifying how you do target analysis and how you make certain you hit the right thing.”.</content></paragraph>
<paragraph identifier="/us/resolution/116/hjres/37/s1/6" id="H9CAA72FBDCA34E2292B59FB56A436B31" class="indent1"><num value="6">(6) </num><content>The conflict between the Saudi-led coalition and the Houthis constitutes, within the meaning of section 4(a) of the War Powers Resolution (<ref href="/us/usc/t50/s1543/a">50 U.S.C. 1543(a)</ref>), either hostilities or a situation where imminent involvement in hostilities is clearly indicated by the circumstances into which United States Armed Forces have been introduced.</content></paragraph>
<paragraph identifier="/us/resolution/116/hjres/37/s1/7" id="H5EBFA2AE560F4C93AC09FE8D77D7FDBB" class="indent1"><num value="7">(7) </num><content>Section 5(c) of the War Powers Resolution (<ref href="/us/usc/t50/s1544/c">50 U.S.C. 1544(c)</ref>) states that, “at any time that United States Armed Forces are engaged in hostilities outside the territory of the United States, its possessions and territories without a declaration of war or specific statutory authorization, such forces shall be removed by the President if the Congress so directs”.</content></paragraph>
<paragraph identifier="/us/resolution/116/hjres/37/s1/8" id="HCA179FC7370C4192A0FEF6023EAF1682" class="indent1"><num value="8">(8) </num><content>Section 8(c) of the War Powers Resolution (<ref href="/us/usc/t50/s1547/c">50 U.S.C. 1547(c)</ref>) defines the introduction of United States Armed Forces to include “the assignment of members of such armed forces to command, coordinate, participate in the movement of, or accompany the regular or irregular military forces of any foreign country or government when such military forces are engaged, or there exists an imminent threat that such forces will become engaged, in hostilities”, and activities that the United States is conducting in support of the Saudi-led coalition, including aerial refueling and targeting assistance, fall within this definition.</content></paragraph>
<paragraph identifier="/us/resolution/116/hjres/37/s1/9" id="HAB6276551C724312A3A8B4F394ABBEB9" class="indent1"><num value="9">(9) </num><content>Section 1013 of the Department of State Authorization Act, Fiscal Years 1984 and 1985 (<ref href="/us/usc/t50/s1546a">50 U.S.C. 1546a</ref>) provides that any joint resolution or bill to require the removal of United States Armed Forces engaged in hostilities without a declaration of war or specific statutory authorization shall be considered in accordance with the expedited procedures of section 601(b) of the International Security and Arms Export Control Act of 1976 (<ref href="/us/pl/94/329">Public Law 94329</ref>; <ref href="/us/stat/90/765">90 Stat. 765</ref>).</content></paragraph>
<paragraph identifier="/us/resolution/116/hjres/37/s1/10" id="HC22DAF0BDE7A479C9983F500D49FDBB8" class="indent1"><num value="10">(10) </num><content>No specific statutory authorization for the use of United States Armed Forces with respect to the conflict between the Saudi-led coalition and the Houthis in Yemen has been enacted, and no provision of law explicitly authorizes the provision of targeting assistance or of midair refueling services to warplanes of Saudi Arabia or the United Arab Emirates that are engaged in such conflict.</content></paragraph>
<paragraph identifier="/us/resolution/116/hjres/37/s1/11" id="H0534B19D3E044136B631C8C848199240" class="indent1"><num value="11">(11) </num><chapeau>It is in the national security interest of the United States to combat anti-Semitism around the world because—</chapeau>
<subparagraph identifier="/us/resolution/116/hjres/37/s1/11/A" id="H50D49C0652B94DB790A972278D332E92" class="indent2"><num value="A">(A) </num><content>anti-Semitism is a challenge to the basic principles of tolerance, pluralism, and democracy, and the shared values that bind Americans together;</content></subparagraph>
<subparagraph identifier="/us/resolution/116/hjres/37/s1/11/B" id="HE37FA08AED414E38B99FE3172156EAB4" class="indent2"><num value="B">(B) </num><content>there has been a significant amount of anti-Semitic and anti-Israel hatred that must be most strongly condemned; and</content></subparagraph>
<subparagraph identifier="/us/resolution/116/hjres/37/s1/11/C" id="H2040E5991844456DBCD221F38DFB9AC3" class="indent2"><num value="C">(C) </num><content>there is an urgent need to ensure the safety and security of Jewish communities, including synagogues, schools, cemeteries, and other institutions.</content></subparagraph></paragraph>
<paragraph identifier="/us/resolution/116/hjres/37/s1/12" id="HC9508F7EB7D6405EBFF00806F84058F8" class="indent1"><num value="12">(12) </num><content>It is in the foreign policy interest of the United States to continue to emphasize the importance of combating anti-Semitism in our bilateral and multilateral relations, including with the United Nations, European Union institutions, Arab League, and the Organization for Security and Cooperation in Europe.</content></paragraph>
<paragraph identifier="/us/resolution/116/hjres/37/s1/13" id="H91BD860C7C9B4BF2847F28A66F27F007" class="indent1"><num value="13">(13) </num><content>Because it is important to the national security interest of the United States to maintain strong bipartisan support for Israel, the only democracy in the Middle East, all attempts to delegitimize and deny Israels right to exist must be denounced and rejected.</content></paragraph>
<paragraph identifier="/us/resolution/116/hjres/37/s1/14" id="HEE40262800CD4D1FAE7310F64CAD3C27" class="indent1"><num value="14">(14) </num><content>It is in the national security interest of the United States to oppose restrictive trade practices or boycotts fostered or imposed by any foreign country against other countries friendly to the United States or against any United States person.</content></paragraph></content></section>
<section role="definitions" identifier="/us/resolution/116/hjres/37/s2" id="H4971A5871B26401285B7A293FBD7A3F0"><num value="2">SEC. 2. </num><heading>REMOVAL OF UNITED STATES ARMED FORCES FROM HOSTILITIES IN THE REPUBLIC OF YEMEN THAT HAVE NOT BEEN AUTHORIZED BY CONGRESS.</heading><content class="block">Pursuant to section 1013 of the Department of State Authorization Act, Fiscal Years 1984 and 1985 (<ref href="/us/usc/t50/s1546a">50 U.S.C. 1546a</ref>) and in accordance with the provisions of section 601(b) of the International Security Assistance and Arms Export Control Act of 1976 (<ref href="/us/pl/94/329">Public Law 94329</ref>; <ref href="/us/stat/90/765">90 Stat. 765</ref>), Congress hereby directs the President to remove United States Armed Forces from hostilities in or affecting the Republic of Yemen, except United States Armed Forces engaged in operations directed at al-Qaeda or associated forces, by not later than the date that is 30 days after the date of the enactment of this joint resolution (unless the President requests and Congress authorizes a later date), and unless and until a declaration of war or specific authorization for such use of United States Armed Forces has been enacted. For purposes of this resolution, in this section, the term “<term>hostilities</term>” includes in-flight refueling of, non-United States aircraft conducting missions as part of the ongoing civil war in Yemen.</content></section>
<section identifier="/us/resolution/116/hjres/37/s3" id="H3FD31E4EDC98472890B18A06E879E26A"><num value="3">SEC. 3. </num><heading>RULE OF CONSTRUCTION REGARDING CONTINUED MILITARY OPERATIONS AND COOPERATION WITH ISRAEL.</heading><content class="block">Nothing in this joint resolution may be construed to influence or disrupt any military operations and cooperation with Israel.</content></section>
<section identifier="/us/resolution/116/hjres/37/s4" id="H94DD7D4D3E28463794A2052E48FEA14D"><num value="4">SEC. 4. </num><heading>RULE OF CONSTRUCTION REGARDING INTELLIGENCE SHARING.</heading>
<chapeau class="indent0">Nothing in this joint resolution may be construed to influence or disrupt any intelligence, counterintelligence, or investigative activities conducted by, or in conjunction with, the United States Government involving—</chapeau>
<paragraph identifier="/us/resolution/116/hjres/37/s4/1" id="H6FB0FEB0C484428F9AA781AC8509133C" class="indent1"><num value="1">(1) </num><content>the collection of intelligence;</content></paragraph>
<paragraph identifier="/us/resolution/116/hjres/37/s4/2" id="H4AF1F73EE354409DAFF265D25616790E" class="indent1"><num value="2">(2) </num><content>the analysis of intelligence; or</content></paragraph>
<paragraph identifier="/us/resolution/116/hjres/37/s4/3" id="H998F39308711487FBDEDAC2C2DEF3399" class="indent1"><num value="3">(3) </num><content>the sharing of intelligence between the United States and any foreign country if the President determines such sharing is appropriate and in the national security interests of the United States.</content></paragraph></section>
<section identifier="/us/resolution/116/hjres/37/s5" id="H15547A85C0BD4F2D9E14CE3B00F7FFB4"><num value="5">SEC. 5. </num><heading>REPORT ON RISKS POSED BY CEASING SAUDI ARABIA SUPPORT OPERATIONS.</heading><content class="block">Not later than 90 days after the date of the enactment of this joint resolution, the President shall submit to Congress a report assessing the risks posed to United States citizens and the civilian population of Saudi Arabia and the risk of regional humanitarian crises if the United States were to cease support operations with respect to the conflict between the Saudi-led coalition and the Houthis in Yemen.</content></section>
<section identifier="/us/resolution/116/hjres/37/s6" id="H0F1EFAE783E64716A4DE943E6AD673FA"><num value="6">SEC. 6. </num><heading>REPORT ON INCREASED RISK OF TERRORIST ATTACKS TO UNITED STATES ARMED FORCES ABROAD, ALLIES, AND THE CONTINENTAL UNITED STATES IF SAUDI ARABIA CEASES YEMEN-RELATED INTELLIGENCE SHARING WITH THE UNITED STATES.</heading><content class="block">Not later than 90 days after the date of the enactment of this joint resolution, the President shall submit to Congress a report assessing the increased risk of terrorist attacks on United States Armed Forces abroad, allies, and to the continental United States if the Government of Saudi Arabia were to cease Yemen-related intelligence sharing with the United States.</content></section></main>
<attestation><action><actionDescription>Passed the House of Representatives </actionDescription><date date="2019-02-13" meta="chamber:House">February 13, 2019</date>.</action>
<signatures>
<signature><notation type="attestation">Attest: </notation><name>KAREN L. HAAS,</name><role>Clerk.</role></signature></signatures></attestation></resolution>

File diff suppressed because one or more lines are too long

View File

@@ -0,0 +1,54 @@
<?xml version="1.0" encoding="UTF-8"?><?xml-stylesheet type="text/css" href="uslm.css"?><resolution xmlns="http://schemas.gpo.gov/xml/uslm" xmlns:dc="http://purl.org/dc/elements/1.1/" xmlns:html="http://www.w3.org/1999/xhtml" xmlns:uslm="http://schemas.gpo.gov/xml/uslm" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://schemas.gpo.gov/xml/uslm uslm-2.1.0.xsd" xml:lang="en" id="H21468DCF8D0D403F98E0C6E51FE10B65"><!--Disclaimer: Legislative measures that include compacts or other non-standard data structures will require additional modeling and may contain inconsistencies in the converted USLM XML.--> <meta>
<dc:title>116 HRES 1000 IH: Expressing support for the designation of June 12, 2020, as Women Veterans Appreciation Day.</dc:title>
<dc:type>House Simple Resolution</dc:type>
<docNumber>1000</docNumber>
<citableAs>116 HRES 1000 IH</citableAs>
<citableAs>116hres1000ih</citableAs>
<citableAs>116 H. Res. 1000 IH</citableAs>
<docStage>Introduced in House</docStage>
<currentChamber>HOUSE</currentChamber>
<dc:creator>United States House of Representatives</dc:creator>
<processedBy>GPO XPub Bill to USLM Generator, version 0.5 + manual changes</processedBy>
<processedDate>2024-09-09</processedDate>
<dc:publisher>United States Government Publishing Office</dc:publisher>
<dc:format>text/xml</dc:format>
<dc:language>EN</dc:language>
<dc:rights>Pursuant to Title 17 Section 105 of the United States Code, this file is not subject to copyright protection and is in the public domain.</dc:rights>
<congress>116</congress>
<session>2</session>
<publicPrivate>public</publicPrivate></meta>
<preface>
<slugLine>•HRES 1000 IH</slugLine>
<distributionCode display="yes">IV</distributionCode>
<congress value="116">116th CONGRESS</congress>
<session value="2">2d Session</session>
<dc:type>H. RES. </dc:type>
<docNumber>1000</docNumber>
<dc:title>Expressing support for the designation of June 12, 2020, as “Women Veterans Appreciation Day”.</dc:title>
<currentChamber value="HOUSE">IN THE HOUSE OF REPRESENTATIVES</currentChamber>
<action><date date="2020-06-11"><inline class="smallCaps">June </inline>11, 2020</date><actionDescription><sponsor bioGuideId="S001207">Ms. <inline class="smallCaps">Sherrill</inline></sponsor> (for herself, <cosponsor bioGuideId="B001285">Ms. <inline class="smallCaps">Brownley</inline> of California</cosponsor>, <cosponsor bioGuideId="H001085">Ms. <inline class="smallCaps">Houlahan</inline></cosponsor>, <cosponsor bioGuideId="L000591">Mrs. <inline class="smallCaps">Luria</inline></cosponsor>, <cosponsor bioGuideId="B001286">Mrs. <inline class="smallCaps">Bustos</inline></cosponsor>, <cosponsor bioGuideId="M001188">Ms. <inline class="smallCaps">Meng</inline></cosponsor>, <cosponsor bioGuideId="B001308">Mr. <inline class="smallCaps">Brindisi</inline></cosponsor>, <cosponsor bioGuideId="W000797">Ms. <inline class="smallCaps">Wasserman Schultz</inline></cosponsor>, <cosponsor bioGuideId="M001163">Ms. <inline class="smallCaps">Matsui</inline></cosponsor>, <cosponsor bioGuideId="U000040">Ms. <inline class="smallCaps">Underwood</inline></cosponsor>, <cosponsor bioGuideId="D000624">Mrs. <inline class="smallCaps">Dingell</inline></cosponsor>, and <cosponsor bioGuideId="A000376">Mr. <inline class="smallCaps">Allred</inline></cosponsor>) submitted the following resolution; which was referred to the <committee committeeId="HGO00">Committee on Oversight and Reform</committee></actionDescription></action></preface>
<main styleType="traditional" id="HEBE14D4DB56B4C778AF2A17EFE862B80"><longTitle><docTitle>RESOLUTION</docTitle><officialTitle>Expressing support for the designation of June 12, 2020, as “Women Veterans Appreciation Day”.</officialTitle></longTitle><preamble>
<recital><p class="inline">Whereas throughout all periods of the history of the United States, women have proudly served the United States to secure and preserve freedom and liberty for—</p>
<paragraph identifier="/us/resolution/116/hres/1000/1" id="H6F883A28592A459B94D869BD74D0893B" class="indent1"><num value="1">(1) </num><content>the people of the United States; and</content></paragraph>
<paragraph identifier="/us/resolution/116/hres/1000/2" id="H0EE32EC7DF7841A08C28E0D01DECCEF2" class="indent1"><num value="2">(2) </num><content>the allies of the United States;</content></paragraph></recital>
<recital>Whereas women have formally been a part of the United States Armed Forces since the establishment of the Army Nurse Corps in 1901, but have informally served since the inception of the United States military;</recital>
<recital><p class="inline">Whereas women have served honorably and with valor, including—</p>
<paragraph identifier="/us/resolution/116/hres/1000/1" id="H70346D9780F5450684A5CF957A728148" class="indent1"><num value="1">(1) </num><content>disguised as male soldiers during the American Revolution and the Civil War;</content></paragraph>
<paragraph identifier="/us/resolution/116/hres/1000/2" id="H3BA52D2087274DB8B47995B878D23B6B" class="indent1"><num value="2">(2) </num><content>as nurses during World War I and World War II; and </content></paragraph>
<paragraph identifier="/us/resolution/116/hres/1000/3" id="H8377CDCF9A5445DBAD695BC7B99824C4" class="indent1"><num value="3">(3) </num><content>as combat helicopter pilots in Afghanistan;</content></paragraph></recital>
<recital><p class="inline">Whereas, as of April 2020, women constitute approximately 17 percent of United States Armed Forces personnel on active duty, including—</p>
<paragraph identifier="/us/resolution/116/hres/1000/1" id="H998A3850690D4849999CF0B096A7EFA0" class="indent1"><num value="1">(1) </num><content>21 percent of active duty personnel in the Air Force;</content></paragraph>
<paragraph identifier="/us/resolution/116/hres/1000/2" id="H5C838CD89E4644BF8617A0777CE67E9D" class="indent1"><num value="2">(2) </num><content>20 percent of active duty personnel in the Navy;</content></paragraph>
<paragraph identifier="/us/resolution/116/hres/1000/3" id="H4080A5E9B8A4427E889E96E6F90A0C7D" class="indent1"><num value="3">(3) </num><content>15 percent of active duty personnel in the Army;</content></paragraph>
<paragraph identifier="/us/resolution/116/hres/1000/4" id="HD779263B284A450EA24C2DD215B0DB3A" class="indent1"><num value="4">(4) </num><content>9 percent of active duty personnel in the Marine Corps; and</content></paragraph>
<paragraph identifier="/us/resolution/116/hres/1000/5" id="HF47E11A761E348668D4F3C5691C7980E" class="indent1"><num value="5">(5) </num><content>15 percent of active duty personnel in the Coast Guard;</content></paragraph></recital>
<recital>Whereas, as of April 2020, women constitute nearly 21 percent of personnel in the National Guard and Reserves;</recital>
<recital>Whereas, as of April 2020, women comprise nearly 25 percent of the National Guard and Reserves activated to support COVID19 response efforts;</recital>
<recital><p class="inline">Whereas by 2020—</p>
<paragraph identifier="/us/resolution/116/hres/1000/1" id="H3AA5BF8716474B6B91FA37D6684AEA06" class="indent1"><num value="1">(1) </num><content>the population of women veterans is expected to reach 2,000,000, which represents an exponential increase from 713,000 women veterans in 1980; and </content></paragraph>
<paragraph identifier="/us/resolution/116/hres/1000/2" id="HFE63F00B284B4818B7BD37673A87ADDE" class="indent1"><num value="2">(2) </num><content>women veterans are expected to constitute more than 10 percent of the total veteran population;</content></paragraph></recital>
<recital>Whereas the United States is proud of and appreciates the service of all women veterans who have demonstrated great skill, sacrifice, and commitment to defending the principles upon which the United States was founded and which the United States continues to uphold;</recital>
<recital>Whereas women veterans have unique stories and should be encouraged to share their recollections through the Veterans History Project, which has worked since 2000 to collect and share the personal accounts of wartime veterans in the United States; and</recital>
<recital><p class="inline">Whereas by expressing support for designating June 12, 2020, as “Women Veterans Appreciation Day”, the House of Representatives could—</p>
<paragraph identifier="/us/resolution/116/hres/1000/1" id="HA0F7A7D08B254119ABBAE7B73FECEFD9" class="indent1"><num value="1">(1) </num><content>highlight the growing presence of women in the Armed Forces and the National Guard; and</content></paragraph>
<paragraph identifier="/us/resolution/116/hres/1000/2" id="H8A72ECC18A4F456193DDDC469F4A4D53" class="indent1"><num value="2">(2) </num><content>pay respect to women veterans for their dutiful military service: Now, therefore, be it</content></paragraph></recital><resolvingClause><i>Resolved, </i></resolvingClause></preamble><section id="HE85BAD564B7B4FEAB0BCDECD9C0C8103" class="inline"><content class="inline">That the House of Representatives expresses support for the designation of “Women Veterans Appreciation Day” to recognize the service and sacrifices of women veterans who have served valiantly on behalf of the United States.</content></section></main><endMarker>○</endMarker></resolution>

View File

@@ -0,0 +1,45 @@
<?xml version="1.0" encoding="UTF-8"?><?xml-stylesheet type="text/css" href="uslm.css"?><resolution xmlns="http://schemas.gpo.gov/xml/uslm" xmlns:dc="http://purl.org/dc/elements/1.1/" xmlns:html="http://www.w3.org/1999/xhtml" xmlns:uslm="http://schemas.gpo.gov/xml/uslm" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://schemas.gpo.gov/xml/uslm uslm-2.1.0.xsd" xml:lang="en" id="H1BA5EC2DD097403688FEA410F51B26A8"><!--Disclaimer: Legislative measures that include compacts or other non-standard data structures will require additional modeling and may contain inconsistencies in the converted USLM XML.--> <meta>
<dc:title>116 HRES 1017 RH: Providing for consideration of the bill (H.R. 51) to provide for the admission of the State of Washington, D.C. into the Union; providing for consideration of the bill (H.R. 1425) to amend the Patient Protection and Affordable Care Act to provide for a Improve Health Insurance Affordability Fund to provide for certain reinsurance payments to lower premiums in the individual health insurance market; providing for consideration of the bill (H.R. 5332) to amend the Fair Credit Reporting Act to ensure that consumer reporting agencies are providing fair and accurate information reporting in consumer reports, and for other purposes; providing for consideration of the bill (H.R. 7120) to hold law enforcement accountable for misconduct in court, improve transparency through data collection, and reform police training and policies; providing for consideration of the bill (H.R. 7301) to prevent evictions, foreclosures, and unsafe housing conditions resulting from the COVID-19 pandemic, and for other purposes; providing for consideration of the joint resolution (H.J. Res. 90) providing for congressional disapproval under chapter 8 of title 5, United States Code, of the rule submitted by the Office of the Comptroller of the Currency relating to Community Reinvestment Act Regulations; and for other purposes.</dc:title>
<dc:type>House Simple Resolution</dc:type>
<docNumber>1017</docNumber>
<citableAs>116 HRES 1017 RH</citableAs>
<citableAs>116hres1017rh</citableAs>
<citableAs>116 H. Res. 1017 RH</citableAs>
<docStage>Reported in House</docStage>
<currentChamber>HOUSE</currentChamber>
<dc:creator>United States House of Representatives</dc:creator>
<processedBy>GPO XPub Bill to USLM Generator, version 0.5 + manual changes</processedBy>
<processedDate>2024-09-09</processedDate>
<dc:publisher>United States Government Publishing Office</dc:publisher>
<dc:format>text/xml</dc:format>
<dc:language>EN</dc:language>
<dc:rights>Pursuant to Title 17 Section 105 of the United States Code, this file is not subject to copyright protection and is in the public domain.</dc:rights>
<relatedDocument role="calendar" href="/us/116/hcal/House/81">House Calendar No. 81</relatedDocument>
<congress>116</congress>
<session>2</session>
<relatedDocument role="report" href="/us/hrpt/116/436" value="CRPT-116hrpt436">[Report No. 116436]</relatedDocument>
<publicPrivate>public</publicPrivate></meta>
<preface>
<slugLine>•HRES 1017 RH</slugLine>
<distributionCode display="yes">IV</distributionCode>
<relatedDocument role="calendar" href="/us/116/hcal/House/81">House Calendar No. 81</relatedDocument>
<congress value="116">116th CONGRESS</congress>
<session value="2">2d Session</session>
<dc:type>H. RES. </dc:type>
<docNumber>1017</docNumber>
<relatedDocument role="report" href="/us/hrpt/116/436" value="CRPT-116hrpt436">[Report No. 116436]</relatedDocument>
<dc:title>Providing for consideration of the bill (H.R. 51) to provide for the admission of the State of Washington, D.C. into the Union; providing for consideration of the bill (H.R. 1425) to amend the Patient Protection and Affordable Care Act to provide for a Improve Health Insurance Affordability Fund to provide for certain reinsurance payments to lower premiums in the individual health insurance market; providing for consideration of the bill (H.R. 5332) to amend the Fair Credit Reporting Act to ensure that consumer reporting agencies are providing fair and accurate information reporting in consumer reports, and for other purposes; providing for consideration of the bill (H.R. 7120) to hold law enforcement accountable for misconduct in court, improve transparency through data collection, and reform police training and policies; providing for consideration of the bill (H.R. 7301) to prevent evictions, foreclosures, and unsafe housing conditions resulting from the COVID-19 pandemic, and for other purposes; providing for consideration of the joint resolution (H.J. Res. 90) providing for congressional disapproval under chapter 8 of title 5, United States Code, of the rule submitted by the Office of the Comptroller of the Currency relating to “Community Reinvestment Act Regulations”; and for other purposes.</dc:title>
<currentChamber value="HOUSE">IN THE HOUSE OF REPRESENTATIVES</currentChamber>
<action><date date="2020-06-24"><inline class="smallCaps">June </inline>24, 2020</date><actionDescription><sponsor bioGuideId="M000312">Mr. <inline class="smallCaps">Hastings</inline></sponsor>, from the Committee on Rules, reported the following resolution; which was referred to the House Calendar and ordered to be printed</actionDescription></action></preface>
<main styleType="order-of-business" id="H9FB6F954D18B425680E7C8B6AB3ED145"><longTitle><docTitle>RESOLUTION</docTitle><officialTitle>Providing for consideration of the bill (H.R. 51) to provide for the admission of the State of Washington, D.C. into the Union; providing for consideration of the bill (H.R. 1425) to amend the Patient Protection and Affordable Care Act to provide for a Improve Health Insurance Affordability Fund to provide for certain reinsurance payments to lower premiums in the individual health insurance market; providing for consideration of the bill (H.R. 5332) to amend the Fair Credit Reporting Act to ensure that consumer reporting agencies are providing fair and accurate information reporting in consumer reports, and for other purposes; providing for consideration of the bill (H.R. 7120) to hold law enforcement accountable for misconduct in court, improve transparency through data collection, and reform police training and policies; providing for consideration of the bill (H.R. 7301) to prevent evictions, foreclosures, and unsafe housing conditions resulting from the COVID-19 pandemic, and for other purposes; providing for consideration of the joint resolution (H.J. Res. 90) providing for congressional disapproval under chapter 8 of title 5, United States Code, of the rule submitted by the Office of the Comptroller of the Currency relating to “Community Reinvestment Act Regulations”; and for other purposes.</officialTitle></longTitle><resolvingClause class="inline"><i>Resolved, </i></resolvingClause> <section id="H22062D4E391E4C20A2EA9C896F5E9493" class="inline"><content class="inline">That upon adoption of this resolution it shall be in order to consider in the House the bill (H.R. 51) to provide for the admission of the State of Washington, D.C. into the Union. All points of order against consideration of the bill are waived. An amendment in the nature of a substitute consisting of the text of Rules Committee Print 116-55, modified by the amendment printed in part A of the report of the Committee on Rules accompanying this resolution, shall be considered as adopted. The bill, as amended, shall be considered as read. All points of order against provisions in the bill, as amended, are waived. The previous question shall be considered as ordered on the bill, as amended, and on any further amendment thereto, to final passage without intervening motion except: (1) one hour of debate equally divided and controlled by the chair and ranking minority member of the Committee on Oversight and Reform; and (2) one motion to recommit with or without instructions. </content></section>
<section identifier="/us/resolution/116/hres/1017/s2" id="H3B5D3DAAFAF743BBA66D0A6BFD82028A"><num value="2"><inline class="smallCaps">Sec. 2. </inline></num><content class="inline">Upon adoption of this resolution it shall be in order to consider in the House the bill (H.R. 1425) to amend the Patient Protection and Affordable Care Act to provide for a Improve Health Insurance Affordability Fund to provide for certain reinsurance payments to lower premiums in the individual health insurance market. All points of order against consideration of the bill are waived. In lieu of the amendment in the nature of a substitute recommended by the Committee on Energy and Commerce now printed in the bill, an amendment in the nature of a substitute consisting of the text of Rules Committee Print 11656, modified by the amendment printed in part B of the report of the Committee on Rules accompanying this resolution, shall be considered as adopted. The bill, as amended, shall be considered as read. All points of order against provisions in the bill, as amended, are waived. The previous question shall be considered as ordered on the bill, as amended, and on any further amendment thereto, to final passage without intervening motion except: (1) three hours of debate equally divided among and controlled by the respective chairs and ranking minority members of the Committees on Education and Labor, Energy and Commerce, and Ways and Means; and (2) one motion to recommit with or without instructions. </content></section>
<section identifier="/us/resolution/116/hres/1017/s3" id="H396267FAE80D4046ADF457E927F27014"><num value="3"><inline class="smallCaps">Sec. 3. </inline></num><content class="inline">Upon adoption of this resolution it shall be in order to consider in the House the bill (H.R. 5332) to amend the Fair Credit Reporting Act to ensure that consumer reporting agencies are providing fair and accurate information reporting in consumer reports, and for other purposes. All points of order against consideration of the bill are waived. The amendment in the nature of a substitute recommended by the Committee on Financial Services now printed in the bill, modified by the amendment printed in part C of the report of the Committee on Rules accompanying this resolution, shall be considered as adopted. The bill, as amended, shall be considered as read. All points of order against provisions in the bill, as amended, are waived. The previous question shall be considered as ordered on the bill, as amended, and on any further amendment thereto, to final passage without intervening motion except: (1) one hour of debate equally divided and controlled by the chair and ranking minority member of the Committee on Financial Services; and (2) one motion to recommit with or without instructions. </content></section>
<section identifier="/us/resolution/116/hres/1017/s4" id="H9CE7425435B646E0BDD7AD26DC7279B5"><num value="4"><inline class="smallCaps">Sec. 4. </inline></num><content class="inline">Upon adoption of this resolution it shall be in order to consider in the House the bill (H.R. 7120) to hold law enforcement accountable for misconduct in court, improve transparency through data collection, and reform police training and policies. All points of order against consideration of the bill are waived. The amendment in the nature of a substitute recommended by the Committee on the Judiciary now printed in the bill, modified by the amendment printed in part D of the report of the Committee on Rules accompanying this resolution, shall be considered as adopted. The bill, as amended, shall be considered as read. All points of order against provisions in the bill, as amended, are waived. The previous question shall be considered as ordered on the bill, as amended, and on any further amendment thereto, to final passage without intervening motion except: (1) four hours of debate equally divided and controlled by the chair and ranking minority member of the Committee on the Judiciary; and (2) one motion to recommit with or without instructions. </content></section>
<section identifier="/us/resolution/116/hres/1017/s5" id="H2C2920CA63254200978BE4531478D2CA"><num value="5"><inline class="smallCaps">Sec. 5. </inline></num><content class="inline">Upon adoption of this resolution it shall be in order to consider in the House the bill (H.R. 7301) to prevent evictions, foreclosures, and unsafe housing conditions resulting from the COVID-19 pandemic, and for other purposes. All points of order against consideration of the bill are waived. The bill shall be considered as read. All points of order against provisions in the bill are waived. The previous question shall be considered as ordered on the bill and on any amendment thereto to final passage without intervening motion except: (1) one hour of debate equally divided and controlled by the chair and ranking minority member of the Committee on Financial Services; and (2) one motion to recommit. </content></section>
<section identifier="/us/resolution/116/hres/1017/s6" id="HA5A2A656E27F4F5CAC453FBF27240493"><num value="6"><inline class="smallCaps">Sec. 6. </inline></num><content class="inline">Upon adoption of this resolution it shall be in order to consider in the House the joint resolution (H.J. Res. 90) providing for congressional disapproval under <ref href="/us/usc/t5/ch8">chapter 8 of title 5, United States Code</ref>, of the rule submitted by the Office of the Comptroller of the Currency relating to “Community Reinvestment Act Regulations”. All points of order against consideration of the joint resolution are waived. The joint resolution shall be considered as read. All points of order against provisions in the joint resolution are waived. The previous question shall be considered as ordered on the joint resolution and on any amendment thereto to final passage without intervening motion except: (1) one hour of debate equally divided and controlled by the chair and ranking minority member of the Committee on Financial Services; and (2) one motion to recommit. </content></section>
<section identifier="/us/resolution/116/hres/1017/s7" id="H9E1F2CD5DC7B497598892CA344C2C4A6"><num value="7"><inline class="smallCaps">Sec. 7. </inline></num><content class="inline">The provisions of section 125(c) of the Uruguay Round Agreements Act shall not apply during the remainder of the One Hundred Sixteenth Congress. </content></section>
<section role="instruction" identifier="/us/resolution/116/hres/1017/s8" id="H97627444860B407AAD417A8EEB8B7529"><num value="8"><inline class="smallCaps">Sec. 8. </inline></num><chapeau class="inline">House Resolution 967, agreed to May 15, 2020, <amendingAction type="amend">is amended</amendingAction>—</chapeau>
<paragraph identifier="/us/resolution/116/hres/1017/s8/1" id="H8E56E834D06C43DCA08ED7AD2D350E55" class="indent1"><num value="1">(1) </num><content>in section 4, by <amendingAction type="delete">striking</amendingAction> “<quotedText>July 21, 2020</quotedText>” and <amendingAction type="insert">inserting</amendingAction> “<quotedText>July 31, 2020</quotedText>”; </content></paragraph>
<paragraph identifier="/us/resolution/116/hres/1017/s8/2" id="H8D06CCFAF47C45F8B4119AECB80964E4" class="indent1"><num value="2">(2) </num><content>in section 11, by <amendingAction type="delete">striking</amendingAction> “<quotedText>calendar day of July 19, 2020</quotedText>” and <amendingAction type="insert">inserting</amendingAction> “<quotedText>legislative day of July 31, 2020</quotedText>”; and</content></paragraph>
<paragraph identifier="/us/resolution/116/hres/1017/s8/3" id="H316951BEB7CC48A99AD6781BF0893C52" class="indent1"><num value="3">(3) </num><content>in section 12, by <amendingAction type="delete">striking</amendingAction> “<quotedText>July 21, 2020</quotedText>” and <amendingAction type="insert">inserting</amendingAction> “<quotedText>July 31, 2020</quotedText>”.</content></paragraph></section> </main>
<endorsement orientation="landscape"><relatedDocument role="calendar" href="/us/116/hcal/House/81">House Calendar No. 81</relatedDocument><congress value="116">116th CONGRESS</congress><session value="2">2d Session</session><dc:type>H. RES. </dc:type><docNumber>1017</docNumber><relatedDocument role="report" href="/us/hrpt/116/436" value="CRPT-116hrpt436">[Report No. 116436]</relatedDocument><longTitle><docTitle>RESOLUTION</docTitle><officialTitle>Providing for consideration of the bill (H.R. 51) to provide for the admission of the State of Washington, D.C. into the Union; providing for consideration of the bill (H.R. 1425) to amend the Patient Protection and Affordable Care Act to provide for a Improve Health Insurance Affordability Fund to provide for certain reinsurance payments to lower premiums in the individual health insurance market; providing for consideration of the bill (H.R. 5332) to amend the Fair Credit Reporting Act to ensure that consumer reporting agencies are providing fair and accurate information reporting in consumer reports, and for other purposes; providing for consideration of the bill (H.R. 7120) to hold law enforcement accountable for misconduct in court, improve transparency through data collection, and reform police training and policies; providing for consideration of the bill (H.R. 7301) to prevent evictions, foreclosures, and unsafe housing conditions resulting from the COVID-19 pandemic, and for other purposes; providing for consideration of the joint resolution (H.J. Res. 90) providing for congressional disapproval under chapter 8 of title 5, United States Code, of the rule submitted by the Office of the Comptroller of the Currency relating to “Community Reinvestment Act Regulations”; and for other purposes.</officialTitle></longTitle><action><date date="2020-06-24"><inline class="smallCaps">June </inline>24, 2020</date><actionDescription>Referred to the House Calendar and ordered to be printed</actionDescription></action></endorsement></resolution>

View File

@@ -0,0 +1,59 @@
<?xml version="1.0" encoding="UTF-8"?><?xml-stylesheet type="text/css" href="uslm.css"?><resolution xmlns="http://schemas.gpo.gov/xml/uslm" xmlns:dc="http://purl.org/dc/elements/1.1/" xmlns:html="http://www.w3.org/1999/xhtml" xmlns:uslm="http://schemas.gpo.gov/xml/uslm" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://schemas.gpo.gov/xml/uslm uslm-2.1.0.xsd" xml:lang="en" id="H9CD00070523A436BB7E2655FC6D1F814"><!--Disclaimer: Legislative measures that include compacts or other non-standard data structures will require additional modeling and may contain inconsistencies in the converted USLM XML.--> <meta>
<dc:title>116 HRES 1033 IH: Condemning acts by the Peoples Republic of China and the Government of the Hong Kong Special Administrative Region that violate fundamental rights and freedoms of Hong Kong residents as well as acts that undermine Hong Kongs high degree of autonomy.</dc:title>
<dc:type>House Simple Resolution</dc:type>
<docNumber>1033</docNumber>
<citableAs>116 HRES 1033 IH</citableAs>
<citableAs>116hres1033ih</citableAs>
<citableAs>116 H. Res. 1033 IH</citableAs>
<docStage>Introduced in House</docStage>
<currentChamber>HOUSE</currentChamber>
<dc:creator>United States House of Representatives</dc:creator>
<processedBy>GPO XPub Bill to USLM Generator, version 0.5 + manual changes</processedBy>
<processedDate>2024-09-09</processedDate>
<dc:publisher>United States Government Publishing Office</dc:publisher>
<dc:format>text/xml</dc:format>
<dc:language>EN</dc:language>
<dc:rights>Pursuant to Title 17 Section 105 of the United States Code, this file is not subject to copyright protection and is in the public domain.</dc:rights>
<congress>116</congress>
<session>2</session>
<publicPrivate>public</publicPrivate></meta>
<preface>
<slugLine>•HRES 1033 IH</slugLine>
<distributionCode display="yes">IV</distributionCode>
<congress value="116">116th CONGRESS</congress>
<session value="2">2d Session</session>
<dc:type>H. RES. </dc:type>
<docNumber>1033</docNumber>
<dc:title>Condemning acts by the Peoples Republic of China and the Government of the Hong Kong Special Administrative Region that violate fundamental rights and freedoms of Hong Kong residents as well as acts that undermine Hong Kongs high degree of autonomy.</dc:title>
<currentChamber value="HOUSE">IN THE HOUSE OF REPRESENTATIVES</currentChamber>
<action><date date="2020-06-30"><inline class="smallCaps">June </inline>30, 2020</date><actionDescription><sponsor bioGuideId="E000179">Mr. <inline class="smallCaps">Engel</inline></sponsor> (for himself, <cosponsor bioGuideId="M001157">Mr. <inline class="smallCaps">McCaul</inline></cosponsor>, <cosponsor bioGuideId="M000312">Mr. <inline class="smallCaps">McGovern</inline></cosponsor>, <cosponsor bioGuideId="B001287">Mr. <inline class="smallCaps">Bera</inline></cosponsor>, <cosponsor bioGuideId="Y000065">Mr. <inline class="smallCaps">Yoho</inline></cosponsor>, and <cosponsor bioGuideId="M001203">Mr. <inline class="smallCaps">Malinowski</inline></cosponsor>) submitted the following resolution; which was referred to the <committee committeeId="HFA00">Committee on Foreign Affairs</committee></actionDescription></action></preface>
<main styleType="OLC"><longTitle><docTitle>RESOLUTION</docTitle><officialTitle>Condemning acts by the Peoples Republic of China and the Government of the Hong Kong Special Administrative Region that violate fundamental rights and freedoms of Hong Kong residents as well as acts that undermine Hong Kongs high degree of autonomy.</officialTitle></longTitle><preamble>
<recital>Whereas the Government of the Peoples Republic of China is legally bound to guarantee the civil liberties of the people of Hong Kong through 2047 under the Basic Law and the “Joint Declaration of the Government of the United Kingdom of Great Britain and Northern Ireland and the Government of the Peoples Republic of China on the Question of Hong Kong” (hereafter the “Joint Declaration”), in which the Peoples Republic of China committed that for 50 years, the “social and economic systems in Hong Kong will remain unchanged, and so will the life-style.”;</recital>
<recital>Whereas Article 39 of the Basic Law of Hong Kong mandates that: “The provisions of the International Covenant on Civil and Political Rights, the International Covenant on Economic, Social and Cultural Rights, and international labour conventions as applied to Hong Kong shall remain in force and shall be implemented through the laws of the Hong Kong Special Administrative Region.”;</recital>
<recital><p class="inline">Whereas Chapter III of the Basic Law of Hong Kong guarantees Hong Kong residents other specific rights and freedoms, including—</p>
<paragraph identifier="/us/resolution/116/hres/1033/1" id="id197AD5E13BD844049AEDAFA1575F7429" class="indent1"><num value="1">(1) </num><content> freedom of speech, of the press, and of publication;</content></paragraph>
<paragraph identifier="/us/resolution/116/hres/1033/2" id="id0AF4A98278E049F28CA9C5810BBC5A69" class="indent1"><num value="2">(2) </num><content> freedom of association, of assembly, of procession, and of demonstration;</content></paragraph>
<paragraph identifier="/us/resolution/116/hres/1033/3" id="id54EE5444AA704E5F848E1637F2670E3D" class="indent1"><num value="3">(3) </num><content> the right and freedom to form and join trade unions and to strike;</content></paragraph>
<paragraph identifier="/us/resolution/116/hres/1033/4" id="id8B3E6C05BF3E43BE81C237E9DEBB8EF7" class="indent1"><num value="4">(4) </num><content>freedom from arbitrary or unlawful arrest, detention, or imprisonment; </content></paragraph>
<paragraph identifier="/us/resolution/116/hres/1033/5" id="id5A631AECC4B44634B3B710C98A69AD6D" class="indent1"><num value="5">(5) </num><content> freedom from arbitrary or unlawful search of, or intrusion into, a Hong Kong residents home or other premises;</content></paragraph>
<paragraph identifier="/us/resolution/116/hres/1033/6" id="id0C71CD8CB99E412099D71265B8BCDB4C" class="indent1"><num value="6">(6) </num><content> freedom and privacy of communication; </content></paragraph>
<paragraph identifier="/us/resolution/116/hres/1033/7" id="id44CE0D790CD34EB39BE46B560E6652E6" class="indent1"><num value="7">(7) </num><content> freedom of movement within the Hong Kong Special Administrative Region; </content></paragraph>
<paragraph identifier="/us/resolution/116/hres/1033/8" id="id5D3AC3FACEE3487CB0504DA195C521C6" class="indent1"><num value="8">(8) </num><content> freedom of emigration to other countries and regions;</content></paragraph>
<paragraph identifier="/us/resolution/116/hres/1033/9" id="id8518B45E65D343B3A07EA4AAEA2BE97A" class="indent1"><num value="9">(9) </num><content> freedom of conscience; and </content></paragraph>
<paragraph identifier="/us/resolution/116/hres/1033/10" id="idA97B4F0B962247978B70F5C250AC6549" class="indent1"><num value="10">(10) </num><content> the right to institute legal proceedings in the courts against the acts of the executive authorities and their personnel; </content></paragraph></recital>
<recital>Whereas the Standing Committee of the National Peoples Congress of the Peoples Republic of China has inserted a national security law directly into Annex III of the Basic Law of Hong Kong, and said national security law is purportedly intended to prevent and punish acts of “separating the country, subverting state power, and organizing terroristic activities”;</recital>
<recital>Whereas said action is a flagrant violation of Hong Kongs autonomy and rule of law in that Article 18 of the Basic Law provides that laws included in Annex III are “confined to those relating to defense and foreign affairs as well as other matters outside the limits of the autonomy of the Region as specified by this Law”;</recital>
<recital>Whereas Article 23 further specifies that “[Hong Kong] shall enact laws on its own to prohibit any act of treason, secession, sedition, subversion against the Central Peoples Government”;</recital>
<recital>Whereas through a similar abuse of Annex III of the Basic Law of Hong Kong, the Government of the Peoples Republic of China caused the adoption of the National Anthem Law in Hong Kong, which curtails the freedom of speech and carries a maximum sentence of 3 years, mirroring the extent of sentence under the Peoples Republic of China Criminal Law;</recital>
<recital>Whereas the Chinese Governments repeated and heavy-handed actions to undermine the rule of law in Hong Kong and Hong Kongs high degree of autonomy will only further escalate the ongoing protests, jeopardizing Hong Kongs future as an open and prosperous international city; and</recital>
<recital>Whereas the imposition of this national security legislation, which undermines the established rights and freedoms of Hong Kong residents provided in the Joint Declaration and the Basic Law, would constitute a violation of commitments made by the Peoples Republic of China under international law: Now, therefore, be it</recital><resolvingClause><i>Resolved, </i></resolvingClause></preamble><resolvingClause><i>Resolved, </i></resolvingClause><section id="id44B5506855394D0D89842701B95344EC" class="inline"><chapeau>That the House of Representatives— </chapeau>
<paragraph identifier="/us/resolution/116/hres/1033/s/1" id="id5916BB170DB3457DA19CE814BA958CBF" class="indent1"><num value="1">(1) </num><content>underscores that democratic societies around the world stand in solidarity with the people of Hong Kong, who face grave threats to their inviolable rights and freedoms;</content></paragraph>
<paragraph identifier="/us/resolution/116/hres/1033/s/2" id="id6BA545B878F94D3C9BEE881DE69F0E27" class="indent1"><num value="2">(2) </num><content>condemns the action by the Peoples Republic of Chinas National Peoples Congress to advance national security legislation for Hong Kong through irregular procedures, which would constitute a violation of the letter and spirit of the Basic Law and the Joint Declaration;</content></paragraph>
<paragraph identifier="/us/resolution/116/hres/1033/s/3" id="id30231059CC2F4F0097B1CA0E81388B29" class="indent1"><num value="3">(3) </num><content>asserts that such actions by the Peoples Republic of China undermine the credibility of the Peoples Republic of China within the international community, including the Peoples Republic of Chinas credibility in honoring its commitments to international agreements and respecting internationally recognized human rights;</content></paragraph>
<paragraph identifier="/us/resolution/116/hres/1033/s/4" id="idBEE53D03BBCB45BDA933A82606A4EA2A" class="indent1"><num value="4">(4) </num><content>urges the Peoples Republic of China and the Hong Kong Government to refrain from implementation of this law or taking any action that abridges or curtails, in whole or in part, the rights of Hong Kong residents as established by the Joint Declaration and Basic Law; and</content></paragraph>
<paragraph identifier="/us/resolution/116/hres/1033/s/5" id="idD6560E378465420A8EAF716AB82A8697" class="indent1"><num value="5">(5) </num><chapeau>advises the President, the Secretary of State, and the Secretary of the Treasury to coordinate with allies and partners to respond to developments in Hong Kong, including by— </chapeau>
<subparagraph identifier="/us/resolution/116/hres/1033/s/5/A" id="id2911642170E04A55A7DD2C059B33F50B" class="indent2"><num value="A">(A) </num><content>appointing a United Nations Special Envoy for Hong Kong;</content></subparagraph>
<subparagraph identifier="/us/resolution/116/hres/1033/s/5/B" id="idE7765CAE680A46608A68E6C5CC045E2E" class="indent2"><num value="B">(B) </num><content>expanding the mandate of the United Nations Special Rapporteur to improve monitoring and reporting on Peoples Republic of Chinas policies in Hong Kong;</content></subparagraph>
<subparagraph identifier="/us/resolution/116/hres/1033/s/5/C" id="id714F6F001F73469FACFCDE939A912A20" class="indent2"><num value="C">(C) </num><content>providing Hong Kong residents who face well-founded fears of persecution an opportunity to emigrate from, or not be compelled to return to, Hong Kong;</content></subparagraph>
<subparagraph identifier="/us/resolution/116/hres/1033/s/5/D" id="idEAF296C7E77B467F9457A505FA021E64" class="indent2"><num value="D">(D) </num><content>introducing other measures to urge the Peoples Republic of China to refrain from promulgating national security legislation in Hong Kong which contravenes the Joint Declaration and the Basic Law; and</content></subparagraph>
<subparagraph identifier="/us/resolution/116/hres/1033/s/5/E" id="idA702C6EBEDB94F5CB12E627B19C74F5F" class="indent2"><num value="E">(E) </num><content>establishing other measures, including economic sanctions, to hold the Peoples Republic of China accountable for contravention of international law and human rights norms with respect to Hong Kong.</content></subparagraph></paragraph></section></main><endMarker>○</endMarker></resolution>

View File

@@ -0,0 +1,35 @@
<?xml version="1.0" encoding="UTF-8"?><?xml-stylesheet type="text/css" href="uslm.css"?><resolution xmlns="http://schemas.gpo.gov/xml/uslm" xmlns:dc="http://purl.org/dc/elements/1.1/" xmlns:html="http://www.w3.org/1999/xhtml" xmlns:uslm="http://schemas.gpo.gov/xml/uslm" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://schemas.gpo.gov/xml/uslm uslm-2.1.0.xsd" xml:lang="en" id="HC2FE9AACDC0C4392907939B4079C13D4"><!--Disclaimer: Legislative measures that include compacts or other non-standard data structures will require additional modeling and may contain inconsistencies in the converted USLM XML.--> <meta>
<dc:title>116 HRES 498 LTH: Impeaching Donald John Trump, President of the United States, of high misdemeanors.</dc:title>
<dc:type>House Simple Resolution</dc:type>
<docNumber>498</docNumber>
<citableAs>116 HRES 498 LTH</citableAs>
<citableAs>116hres498lth</citableAs>
<citableAs>116 H. Res. 498 LTH</citableAs>
<docStage>Laid on Table House</docStage>
<currentChamber>HOUSE</currentChamber>
<dc:creator>United States House of Representatives</dc:creator>
<processedBy>GPO XPub Bill to USLM Generator, version 0.5 + manual changes</processedBy>
<processedDate>2024-09-09</processedDate>
<dc:publisher>United States Government Publishing Office</dc:publisher>
<dc:format>text/xml</dc:format>
<dc:language>EN</dc:language>
<dc:rights>Pursuant to Title 17 Section 105 of the United States Code, this file is not subject to copyright protection and is in the public domain.</dc:rights>
<congress>116</congress>
<session>1</session>
<publicPrivate>public</publicPrivate></meta>
<preface>
<slugLine> HRES 498 LTH</slugLine>
<distributionCode display="yes">IV</distributionCode>
<congress value="116">116th CONGRESS</congress>
<session value="1">1st Session</session>
<dc:type>H. RES. </dc:type>
<docNumber>498</docNumber>
<dc:title>Impeaching Donald John Trump, President of the United States, of high misdemeanors.</dc:title>
<currentChamber value="HOUSE">IN THE HOUSE OF REPRESENTATIVES</currentChamber>
<action><date date="2019-07-17"><inline class="smallCaps">July </inline>17, 2019</date><actionDescription><sponsor bioGuideId="G000553">Mr. <inline class="smallCaps">Green</inline> of Texas</sponsor> submitted the following resolution; which was laid on the table</actionDescription></action></preface>
<main styleType="traditional" id="H79567CE2239841549E8F6B58C6AABE10"><longTitle><docTitle>RESOLUTION</docTitle><officialTitle>Impeaching Donald John Trump, President of the United States, of high misdemeanors.</officialTitle></longTitle><resolvingClause><i>Resolved, </i></resolvingClause><section id="H9355B54EBDFC4030872EA3697BF1E3D4" class="inline"><chapeau class="inline">that Donald John Trump, President of the United States, is unfit to be President, unfit to represent the American values of decency and morality, respectability and civility, honesty and propriety, reputability and integrity, is unfit to defend the ideals that have made America great, unfit to defend liberty and justice for all as extolled in the Pledge of Allegiance, is unfit to defend the American ideal of all persons being created equal as exalted in the Declaration of Independence, is unfit to ensure domestic tranquility, promote the general welfare and to ensure the blessings of liberty to ourselves and our posterity as lauded in the preamble to the United States Constitution, is unfit to protect the government of the people, by the people, for the people as elucidated in the Gettysburg Address, and is impeached for high misdemeanors that the following Article of Impeachment be exhibited to the Senate:</chapeau>
<subsection id="H6B90FD62DD3848909144DDE5564A91FC" class="indent0"><content>Article of Impeachment exhibited by the House of Representatives of the United States, in the name of itself, of the people of the United States, against Donald John Trump, President of the United States, in maintenance and support of its impeachment against him for high misdemeanors committed as President constituting harm to American society to the manifest injury of the people of the United States:</content></subsection></section>
<section id="H70D74E298BF84BEE86E88675F0EBF50E"><heading><inline class="smallCaps">article i</inline></heading><chapeau>The House of Representatives on July 16, 2019, strongly condemned President Donald Trumps racist comments that have legitimized and increased fear and hatred of new Americans and people of color by saying that our fellow Americans who are immigrants, and those who may look to the President like immigrants, should “go back” to other countries, by referring to immigrants and asylum seekers as “invaders”, and by saying that Members of Congress who are immigrants, or those of our colleagues who are wrongly assumed to be immigrants, do not belong in Congress or the United States of America.</chapeau>
<subsection id="H1DC141D908D34188B71E06C39A8976E1" class="indent0"><content>In all of this, the aforementioned Donald John Trump has, by his statements, brought the high office of the President of the United States in contempt, ridicule, disgrace, and disrepute, has sown seeds of discord among the people of the United States, has demonstrated that he is unfit to be President, and has betrayed his trust as President of the United States to the manifest injury of the people of the United States, and has committed a high misdemeanor in office.</content></subsection></section>
<section id="H352F27C20D2B4932A481D976DB47477C">
<subsection id="H3AF0CF2D8E514483AC9B18F6425F56CA" class="indent0"><content>Therefore, Donald John Trump by causing such harm to the society of the United States is unfit to be President and warrants impeachment, trial, and removal from office.</content></subsection></section></main><endMarker>○</endMarker></resolution>

View File

@@ -0,0 +1,58 @@
<?xml version="1.0" encoding="UTF-8"?><?xml-stylesheet type="text/css" href="uslm.css"?><bill xmlns="http://schemas.gpo.gov/xml/uslm" xmlns:dc="http://purl.org/dc/elements/1.1/" xmlns:html="http://www.w3.org/1999/xhtml" xmlns:uslm="http://schemas.gpo.gov/xml/uslm" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://schemas.gpo.gov/xml/uslm uslm-2.1.0.xsd" xml:lang="en" id="A1"><!--Disclaimer: Legislative measures that include compacts or other non-standard data structures will require additional modeling and may contain inconsistencies in the converted USLM XML.--> <meta>
<dc:title>116 S 1000 IS: To amend the Internal Revenue Code of 1986 to allow the designation of opportunity zones for population census tracts affected by Hurricane Florence, Hurricane Michael, and the Mendocino, Carr, Camp, Woolsey, and Hill wildfires.</dc:title>
<dc:type>Senate Bill</dc:type>
<docNumber>1000</docNumber>
<citableAs>116 S 1000 IS</citableAs>
<citableAs>116s1000is</citableAs>
<citableAs>116 S. 1000 IS</citableAs>
<docStage>Introduced in Senate</docStage>
<currentChamber>SENATE</currentChamber>
<dc:creator>United States Senate</dc:creator>
<processedBy>GPO XPub Bill to USLM Generator, version 0.5 + manual changes</processedBy>
<processedDate>2024-09-09</processedDate>
<dc:publisher>United States Government Publishing Office</dc:publisher>
<dc:format>text/xml</dc:format>
<dc:language>EN</dc:language>
<dc:rights>Pursuant to Title 17 Section 105 of the United States Code, this file is not subject to copyright protection and is in the public domain.</dc:rights>
<congress>116</congress>
<session>1</session>
<publicPrivate>public</publicPrivate></meta>
<preface>
<slugLine>•S 1000 IS</slugLine>
<distributionCode display="yes">II</distributionCode>
<congress value="116">116th CONGRESS</congress>
<session value="1">1st Session</session>
<dc:type>S. </dc:type>
<docNumber>1000</docNumber>
<dc:title>To amend the Internal Revenue Code of 1986 to allow the designation of opportunity zones for population census tracts affected by Hurricane Florence, Hurricane Michael, and the Mendocino, Carr, Camp, Woolsey, and Hill wildfires.</dc:title>
<currentChamber value="SENATE">IN THE SENATE OF THE UNITED STATES</currentChamber>
<action><date date="2019-04-03"><inline class="smallCaps">April </inline>3, 2019</date><actionDescription><sponsor senateId="S350">Mr. <inline class="smallCaps">Rubio</inline></sponsor> (for himself and <cosponsor senateId="S404">Mr. <inline class="smallCaps">Scott</inline> of Florida</cosponsor>) introduced the following bill; which was read twice and referred to the <committee committeeId="SSFI00">Committee on Finance</committee></actionDescription></action></preface>
<main styleType="OLC"><longTitle><docTitle>A BILL</docTitle><officialTitle>To amend the Internal Revenue Code of 1986 to allow the designation of opportunity zones for population census tracts affected by Hurricane Florence, Hurricane Michael, and the Mendocino, Carr, Camp, Woolsey, and Hill wildfires.</officialTitle></longTitle><enactingFormula><i>Be it enacted by the Senate and House of Representatives of the United States of America in Congress assembled, </i></enactingFormula>
<section identifier="/us/bill/116/s/1000/s1" id="idF2F1BF5F5ABB4669AB5D37CA11EEE17F"><num value="1">SECTION 1. </num><heading>SHORT TITLE.</heading><content class="block">This Act may be cited as the “<shortTitle role="act">Disaster Opportunity Zones Act</shortTitle>”.</content></section>
<section role="instruction" identifier="/us/bill/116/s/1000/s2" id="idA75CA6D10C0A4C2B9E1FE032FCA2D4DF"><num value="2">SEC. 2. </num><heading>ADDITIONAL DESIGNATIONS OF OPPORTUNITY ZONES.</heading><content>Section 1400Z1 of the Internal Revenue Code of 1986 <amendingAction type="amend">is amended</amendingAction> by <amendingAction type="add">adding</amendingAction> at the end the following new subsection:
<quotedContent id="id7896C8DB936E4973B8C4FA057212B2A1" styleType="OLC">
<subsection id="id0AAC11A99C984FA299ECB596B6D0DA30" class="indent0"><num value="g">“(g) </num><heading><inline class="smallCaps">Additional Designations for Certain Disaster Areas</inline>.—</heading>
<paragraph id="id0A41071C701045E1A9FED8E13ABBD8A4" class="indent1"><num value="1">“(1) </num><heading><inline class="smallCaps">In general</inline>.—</heading><content>Notwithstanding subsection (d), an eligible population census tract may be designated as a qualified opportunity zone.</content></paragraph>
<paragraph id="id5AB4C750BBFC40F19E60B5D5A5CEF2A4" class="indent1"><num value="2">“(2) </num><heading><inline class="smallCaps">Process for designation</inline>.—</heading><content>An eligible population census tract shall be designated as a qualified opportunity zone in the same manner as described in subsection (b), except that for purposes of applying such subsection to eligible population census tracts, the determination period shall be the 90-day period beginning on the date of the enactment of this subsection (as extended under subsection (b)(2)).</content></paragraph>
<paragraph id="idB22B89A06F604D7DB5738222C0718F3B" class="indent1"><num value="3">“(3) </num><heading><inline class="smallCaps">Limitation</inline>.—</heading><chapeau>The number of eligible population census tracts that may be designated under this subsection may not exceed the greater of—</chapeau>
<subparagraph id="id5CF9F28369A9495287DD16F5AA11AD97" class="indent2"><num value="A">“(A) </num><content>25 percent of the eligible population census tracts in the State, or</content></subparagraph>
<subparagraph id="idB453E0E52F9543E99C7B6395E2D3B9A5" class="indent2"><num value="B">“(B) </num><content>25.</content></subparagraph></paragraph>
<paragraph id="id5B55B9FC3A0F44D4B593B312A9DBB44B" class="indent1"><num value="4">“(4) </num><heading><inline class="smallCaps">Special rules</inline>.—</heading><chapeau>In applying this subchapter to any qualified opportunity zone designated under this subsection, for purposes of determining—</chapeau>
<subparagraph id="idB016541101F84836B8112C1988899A24" class="indent2"><num value="A">“(A) </num><content>whether any property which would not be qualified opportunity fund business property without regard to this subsection is qualified opportunity fund business property, and</content></subparagraph>
<subparagraph id="idA1213F7CBE5E44D7AE5CBD030989C4CC" class="indent2"><num value="B">“(B) </num><content>whether any corporation or partnership which is not a qualified opportunity fund business without regard to this subsection is a qualified opportunity fund business,</content></subparagraph>
<continuation class="indent0" role="paragraph">subparagraphs (B)(i)(I), (C)(i), and (D)(i)(I) of section 1400Z2(d)(2) shall each be applied by substituting the incident beginning date of the disaster described in section 1400Z1(g)(5)(B) with respect to such qualified opportunity zone for December 31, 2017.</continuation></paragraph>
<paragraph id="idC305B80182B44B00874C0A696B1E8C06" class="indent1"><num value="5">“(5) </num><heading><inline class="smallCaps">Eligible population census tract</inline>.—</heading><chapeau>For purposes of this subsection—</chapeau>
<subparagraph role="definitions" id="id237CBB251EB3443E8BFBF8B8B8C50AB7" class="indent2"><num value="A">“(A) </num><heading><inline class="smallCaps">In general</inline>.—</heading><chapeau>The term <term>eligible population census tract</term> means a population census tract which—</chapeau>
<clause id="id679DD97FDE664D2D865DE576C53A94C3" class="indent3"><num value="i">“(i) </num><content>is a low-income community, and</content></clause>
<clause id="id408B99C6494047CFB08DA463121EFFAD" class="indent3"><num value="ii">“(ii) </num><content>is part of a qualified disaster zone.</content></clause></subparagraph>
<subparagraph id="idD27FD47ED8C347719ACA432B2B765E6D" class="indent2"><num value="B">“(B) </num><heading><inline class="smallCaps">Qualified disaster zone</inline>.—</heading>
<clause role="definitions" id="idAD978C8DBEB84AB5BFD5B50101ABD89E" class="indent3"><num value="i">“(i) </num><heading><inline class="smallCaps">In general</inline>.—</heading><content>The term <term>qualified disaster zone</term> means that portion of the Hurricane Florence disaster area, the Hurricane Michael disaster area, the Mendocino and Carr wildfire disaster area, and the Camp, Woolsey, and Hill wildfire disaster area which is determined by the President to warrant individual or individual and public assistance from the Federal Government under the Robert T. Stafford Disaster Relief and Emergency Assistance Act by reason of the hurricane or wildfires with respect to which the major disaster with respect to the area were declared.</content></clause>
<clause role="definitions" id="id82f962e52b744daf896dbebdce92203e" class="indent3"><num value="ii">“(ii) </num><heading><inline class="smallCaps">Hurricane florence disaster area</inline>.—</heading><content>The term <term>Hurricane Florence disaster area</term> means any area with respect to which a major disaster has been declared by the President before December 17, 2018, under section 401 of the Robert T. Stafford Disaster Relief and Emergency Assistance Act by reason of Hurricane Florence.</content></clause>
<clause role="definitions" id="ida144ad52d544421b8024348decbacf19" class="indent3"><num value="iii">“(iii) </num><heading><inline class="smallCaps">Hurricane michael disaster area</inline>.—</heading><content>The term <term>Hurricane Michael disaster area</term> means any area with respect to which a major disaster has been declared by the President before December 17, 2018, under section 401 of the Robert T. Stafford Disaster Relief and Emergency Assistance Act by reason of Hurricane Michael.</content></clause>
<clause role="definitions" id="idea8f5fccb17e4accab851b371cba703b" class="indent3"><num value="iv">“(iv) </num><heading><inline class="smallCaps">Mendocino and carr wildfire disaster area</inline>.—</heading><content>The term <term>Mendocino and Carr wildfire disaster area</term> means any area with respect to which between August 4, 2018, and December 17, 2018, a major disaster has been declared by the President under section 401 the Robert T. Stafford Disaster Relief and Emergency Assistance Act by reason of the wildfire in California commonly known as the Mendocino and Carr wildfires of 2018.</content></clause>
<clause role="definitions" id="id8751221ea6cb4cf4b30d1007599a4598" class="indent3"><num value="v">“(v) </num><heading><inline class="smallCaps">Camp, woolsey, and hill wildfire disaster area</inline>.—</heading><content>The term <term>Camp, Woolsey, and Hill wildfire disaster area</term> means any area with respect to which between November 12, 2018, and December 17, 2018, a major disaster has been declared by the President under section 401 of the Robert T. Stafford Disaster Relief and Emergency Assistance Act by reason of the wildfires in California commonly known as the Camp, Woolsey, and Hill wildfires of 2018.</content></clause></subparagraph>
<subparagraph role="definitions" id="id9b6a651ac1e44ccaa0b7c749eab25dcc" class="indent2"><num value="C">“(C) </num><heading><inline class="smallCaps">Incident beginning date</inline>.—</heading><chapeau>The term <term>incident beginning date</term> means—</chapeau>
<clause id="id871E66E3F0F2416CB5455989F2C66119" class="indent3"><num value="i">“(i) </num><content>in the case of the Hurricane Florence disaster area, September 7, 2018,</content></clause>
<clause id="id008521670ABF46DBAC5D0C547E20563A" class="indent3"><num value="ii">“(ii) </num><content>in the case of the Hurricane Michael disaster area, October 7, 2018,</content></clause>
<clause id="id4B1FED46AF424FB6B98C5940DACEB055" class="indent3"><num value="iii">“(iii) </num><content>in the case of the Mendocino and Carr wildfire disaster area, July 23, 2018, and</content></clause>
<clause id="id20FCA1E574D9495A95817730F16D7F4A" class="indent3"><num value="iv">“(iv) </num><content>in the case of the Camp, Woolsey, and Hill wildfire disaster area, November 8, 2018.”</content></clause></subparagraph></paragraph></subsection></quotedContent><inline role="after-quoted-block">.</inline></content></section></main><endMarker>○</endMarker></bill>

View File

@@ -0,0 +1,61 @@
<?xml version="1.0" encoding="UTF-8"?><?xml-stylesheet type="text/css" href="uslm.css"?><bill xmlns="http://schemas.gpo.gov/xml/uslm" xmlns:dc="http://purl.org/dc/elements/1.1/" xmlns:html="http://www.w3.org/1999/xhtml" xmlns:uslm="http://schemas.gpo.gov/xml/uslm" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://schemas.gpo.gov/xml/uslm uslm-2.1.0.xsd" xml:lang="en" id="A1"><!--Disclaimer: Legislative measures that include compacts or other non-standard data structures will require additional modeling and may contain inconsistencies in the converted USLM XML.--> <meta>
<dc:title>116 S 1029 RFH: To allow the use of certified facility dogs in criminal proceedings in Federal courts, and for other purposes.</dc:title>
<dc:type>Senate Bill</dc:type>
<docNumber>1029</docNumber>
<citableAs>116 S 1029 RFH</citableAs>
<citableAs>116s1029rfh</citableAs>
<citableAs>116 S. 1029 RFH</citableAs>
<docStage>Referred in House</docStage>
<currentChamber>HOUSE</currentChamber>
<dc:creator>United States House of Representatives</dc:creator>
<processedBy>GPO XPub Bill to USLM Generator, version 0.5 + manual changes</processedBy>
<processedDate>2024-09-09</processedDate>
<dc:publisher>United States Government Publishing Office</dc:publisher>
<dc:format>text/xml</dc:format>
<dc:language>EN</dc:language>
<dc:rights>Pursuant to Title 17 Section 105 of the United States Code, this file is not subject to copyright protection and is in the public domain.</dc:rights>
<congress>116</congress>
<session>1</session>
<publicPrivate>public</publicPrivate></meta>
<preface>
<slugLine> S 1029 RFH</slugLine>
<distributionCode display="yes">IC</distributionCode>
<congress value="116">116th CONGRESS</congress>
<session value="1">1st Session</session>
<dc:type>S. </dc:type>
<docNumber>1029</docNumber>
<currentChamber value="HOUSE">IN THE HOUSE OF REPRESENTATIVES</currentChamber>
<action><date><inline class="smallCaps">December </inline>23, 2019</date><actionDescription>Referred to the <committee committeeId="HJU00">Committee on the Judiciary</committee></actionDescription></action></preface>
<main styleType="OLC"><longTitle><docTitle>AN ACT</docTitle><officialTitle>To allow the use of certified facility dogs in criminal proceedings in Federal courts, and for other purposes.</officialTitle></longTitle><enactingFormula><i>Be it enacted by the Senate and House of Representatives of the United States of America in Congress assembled, </i></enactingFormula>
<section identifier="/us/bill/116/s/1029/s1" id="id3C61555B1F7C4F1D95E24A9604C599F9"><num value="1">SECTION 1. </num><heading>SHORT TITLE.</heading><content class="block">This Act may be cited as the “<shortTitle role="act">Courthouse Dogs Act</shortTitle>”.</content></section>
<section identifier="/us/bill/116/s/1029/s2" id="id07c629be87704040870ec6fceb27a422"><num value="2">SEC. 2. </num><heading>USE OF CERTIFIED FACILITY DOG FOR TESTIMONY IN CRIMINAL PROCEEDINGS.</heading>
<subsection role="instruction" identifier="/us/bill/116/s/1029/s2/a" id="idBC8509AEE3534085A8579EF45C16E577" class="indent0"><num value="a">(a) </num><heading><inline class="smallCaps">In General</inline>.—</heading><content><ref href="/us/usc/t18/ch223">Chapter 223 of title 18, United States Code</ref>, <amendingAction type="amend">is amended</amendingAction> by <amendingAction type="insert">inserting</amendingAction> after section 3502 the following:
<quotedContent id="id98A2B0105BB74F30ACABC77510201870" styleType="USC">
<section id="id5CDB98EBDF734A16A137F7B0CAFDEBBB"><num value="3503">“§3503. </num><heading>Use of certified facility dog for testimony in criminal proceedings</heading>
<subsection role="definitions" id="idAEA7A69637C3438BBBA14B1D53D3B12E" class="indent0"><num value="a">“(a) </num><heading><inline class="smallCaps">Defined Term</inline>.—</heading><chapeau>In this section, the term <term>certified facility dog</term> means a dog that has graduated from an assistance dog organization that is a member of an internationally recognized assistance dog association that has a primary purpose of granting accreditation based on standards of excellence in areas of—</chapeau>
<paragraph id="id15B34CDD118C44DF8DD121AADFECA437" class="indent1"><num value="1">“(1) </num><content>assistance dog acquisition;</content></paragraph>
<paragraph id="idC2558DA397DE4B078B49FC65FE52D009" class="indent1"><num value="2">“(2) </num><content>dog training;</content></paragraph>
<paragraph id="idFE3B4FD3C4774D86BB982E238D75E417" class="indent1"><num value="3">“(3) </num><content>dog handler training; and</content></paragraph>
<paragraph id="idAE0A317F080D4BF9BF6801632FF79CE5" class="indent1"><num value="4">“(4) </num><content>dog placement.</content></paragraph></subsection>
<subsection id="ida07296b1f71a4ce1a2c258b3731168cc" class="indent0"><num value="b">“(b) </num><heading><inline class="smallCaps">Requests for Use of Certified Facility Dogs</inline>.—</heading><chapeau>Either party in a criminal proceeding in a Federal court may apply for an order from the court to allow a certified facility dog, if available, to be present with a witness testifying before the court through—</chapeau>
<paragraph id="id51A7DA9634DA42D39C2D76115000686F" class="indent1"><num value="1">“(1) </num><content>in-person testimony; or</content></paragraph>
<paragraph id="id1521E3CFC3964780BB68B02D31965F6F" class="indent1"><num value="2">“(2) </num><content>testimony televised by 2-way, closed-circuit television.</content></paragraph></subsection>
<subsection id="id9387c70f9dde47fc8b796223a3697b59" class="indent0"><num value="c">“(c) </num><heading><inline class="smallCaps">Conditions for Approval</inline>.—</heading><chapeau>A Federal court may enter an order authorizing an available certified facility dog to accompany a witness while testifying at a hearing in accordance with subsection (b) if the court finds that—</chapeau>
<paragraph id="idf04e7c6feb0e410cbbcd070cf5fecb0f" class="indent1"><num value="1">“(1) </num><content>the dog to be used qualifies as a certified facility dog;</content></paragraph>
<paragraph id="idc7d1f56b94484d30a78756982abedb3a" class="indent1"><num value="2">“(2) </num><content>the use of a certified facility dog will aid the witness in providing testimony; and</content></paragraph>
<paragraph id="idCDE843F52F9C493697FD7996317B6525" class="indent1"><num value="3">“(3) </num><content>upon a showing by the party seeking an order under subsection (b), the certified facility dog is insured for liability protection.</content></paragraph></subsection>
<subsection id="id08A7EF2FFFAF4F0EBD75B70ABF2B6E5C" class="indent0"><num value="d">“(d) </num><heading><inline class="smallCaps">Handlers</inline>.—</heading><chapeau>Each certified facility dog authorized to accompany a witness under subsection (c) shall be accompanied by a handler who is—</chapeau>
<paragraph id="id65179FDADE9D49149DB54B619F3B6DD4" class="indent1"><num value="1">“(1) </num><content>trained to manage the certified facility dog by an assistance dog organization described in subsection (a); and</content></paragraph>
<paragraph id="id6DEA165611E3499B93B0370149197274" class="indent1"><num value="2">“(2) </num><content>a professional working in the legal system with knowledge about the legal and criminal justice processes.</content></paragraph></subsection>
<subsection id="ide1914946ec994c98a945e2934e2373a6" class="indent0"><num value="e">“(e) </num><heading><inline class="smallCaps">Deadline</inline>.—</heading><content>The party seeking an order under subsection (b) shall apply for such order not later than 14 days before the preliminary hearing, trial date, or other hearing to which the order is to apply.</content></subsection>
<subsection id="id90d30653847d4fbdba962e0367fcadf1" class="indent0"><num value="f">“(f) </num><heading><inline class="smallCaps">Other Orders</inline>.—</heading><content>A Federal court may make such orders as may be necessary to preserve the fairness of the proceeding, including imposing restrictions on, and instructing the jury regarding, the presence of the certified facility dog during the proceedings.</content></subsection>
<subsection id="id2f683bbb30a54d5996e1a124ccb79577" class="indent0"><num value="g">“(g) </num><heading><inline class="smallCaps">Savings Provision</inline>.—</heading><content>Nothing in this section may be construed to prevent a Federal court from providing any other accommodations to a witness in accordance with applicable law.”</content></subsection></section></quotedContent><inline role="after-quoted-block">.</inline></content></subsection>
<subsection role="instruction" identifier="/us/bill/116/s/1029/s2/b" id="id9980355505254F6EA251EDD478AD1625" class="indent0"><num value="b">(b) </num><heading><inline class="smallCaps">Clerical Amendment</inline>.—</heading><content>The chapter analysis for <ref href="/us/usc/t18/ch223">chapter 223 of title 18, United States Code</ref>, <amendingAction type="amend">is amended</amendingAction> by <amendingAction type="insert">inserting</amendingAction> after the item relating to section 3502 the following:
<quotedContent id="id4f82715e-4f46-4dc7-b244-06aa8c82554d" styleType="USC">
<toc>
<referenceItem idref="id5CDB98EBDF734A16A137F7B0CAFDEBBB" role="section">
<designator>“3503. </designator><label>Use of certified facility dog for testimony in criminal proceedings.”</label>
</referenceItem></toc></quotedContent><inline role="after-quoted-block">.</inline></content></subsection></section></main>
<attestation><action><actionDescription>Passed the Senate </actionDescription><date date="2019-12-19" meta="chamber:Senate">December 19, 2019</date>.</action>
<signatures>
<signature><notation type="attestation">Attest: </notation><name>JULIE E. ADAMS,</name><role>Secretary</role>.</signature></signatures></attestation></bill>

View File

@@ -0,0 +1,36 @@
<?xml version="1.0" encoding="UTF-8"?><?xml-stylesheet type="text/css" href="uslm.css"?><bill xmlns="http://schemas.gpo.gov/xml/uslm" xmlns:dc="http://purl.org/dc/elements/1.1/" xmlns:html="http://www.w3.org/1999/xhtml" xmlns:uslm="http://schemas.gpo.gov/xml/uslm" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://schemas.gpo.gov/xml/uslm uslm-2.1.0.xsd" xml:lang="en" id="A1"><!--Disclaimer: Legislative measures that include compacts or other non-standard data structures will require additional modeling and may contain inconsistencies in the converted USLM XML.--> <meta>
<dc:title>116 S 1057 CPS: To direct the Secretary of the Interior to execute and carry out agreements concerning Colorado River Drought Contingency Management and Operations, and for other purposes.</dc:title>
<dc:type>Senate Bill</dc:type>
<docNumber>1057</docNumber>
<citableAs>116 S 1057 CPS</citableAs>
<citableAs>116s1057cps</citableAs>
<citableAs>116 S. 1057 CPS</citableAs>
<docStage>Considered and Passed Senate</docStage>
<currentChamber>SENATE</currentChamber>
<dc:creator>United States Senate</dc:creator>
<processedBy>GPO XPub Bill to USLM Generator, version 0.5 + manual changes</processedBy>
<processedDate>2024-09-09</processedDate>
<dc:publisher>United States Government Publishing Office</dc:publisher>
<dc:format>text/xml</dc:format>
<dc:language>EN</dc:language>
<dc:rights>Pursuant to Title 17 Section 105 of the United States Code, this file is not subject to copyright protection and is in the public domain.</dc:rights>
<congress>116</congress>
<session>1</session>
<publicPrivate>public</publicPrivate></meta>
<preface>
<slugLine>•S 1057 CPS</slugLine>
<distributionCode display="yes">II</distributionCode>
<congress value="116">116th CONGRESS</congress>
<session value="1">1st Session</session>
<dc:type>S. </dc:type>
<docNumber>1057</docNumber>
<dc:title>To direct the Secretary of the Interior to execute and carry out agreements concerning Colorado River Drought Contingency Management and Operations, and for other purposes.</dc:title>
<currentChamber value="SENATE">IN THE SENATE OF THE UNITED STATES</currentChamber>
<action><date><inline class="smallCaps">April </inline>8, 2019</date><actionDescription><sponsor senateId="S400">Ms. <inline class="smallCaps">McSally</inline></sponsor> (for herself, <cosponsor senateId="S385">Ms. <inline class="smallCaps">Cortez Masto</inline></cosponsor>, <cosponsor senateId="S317">Mr. <inline class="smallCaps">Barrasso</inline></cosponsor>, <cosponsor senateId="S221">Mrs. <inline class="smallCaps">Feinstein</inline></cosponsor>, <cosponsor senateId="S377">Mr. <inline class="smallCaps">Gardner</inline></cosponsor>, <cosponsor senateId="S401">Mr. <inline class="smallCaps">Romney</inline></cosponsor>, <cosponsor senateId="S403">Ms. <inline class="smallCaps">Sinema</inline></cosponsor>, <cosponsor senateId="S346">Mr. <inline class="smallCaps">Lee</inline></cosponsor>, <cosponsor senateId="S254">Mr. <inline class="smallCaps">Enzi</inline></cosponsor>, <cosponsor senateId="S402">Ms. <inline class="smallCaps">Rosen</inline></cosponsor>, <cosponsor senateId="S330">Mr. <inline class="smallCaps">Bennet</inline></cosponsor>, <cosponsor senateId="S326">Mr. <inline class="smallCaps">Udall</inline></cosponsor>, <cosponsor senateId="S359">Mr. <inline class="smallCaps">Heinrich</inline></cosponsor>, and <cosponsor senateId="S387">Ms. <inline class="smallCaps">Harris</inline></cosponsor>) introduced the following bill; which was read twice, considered, read the third time, and passed</actionDescription></action></preface>
<main styleType="OLC"><longTitle><docTitle>A BILL</docTitle><officialTitle>To direct the Secretary of the Interior to execute and carry out agreements concerning Colorado River Drought Contingency Management and Operations, and for other purposes.</officialTitle></longTitle><enactingFormula><i>Be it enacted by the Senate and House of Representatives of the United States of America in Congress assembled, </i></enactingFormula>
<section identifier="/us/bill/116/s/1057/s1" id="S1"><num value="1">SECTION 1. </num><heading>SHORT TITLE.</heading><content class="block">This Act may be cited as the “<shortTitle role="act">Colorado River Drought Contingency Plan Authorization Act</shortTitle>”.</content></section>
<section identifier="/us/bill/116/s/1057/s2" id="id1C60184835F74442B1ADD25F1863A393"><num value="2">SEC. 2. </num><heading>COLORADO RIVER BASIN DROUGHT CONTINGENCY PLANS.</heading>
<subsection identifier="/us/bill/116/s/1057/s2/a" id="id28AE38E44CD14B589FB69F1F79E7C81F" class="indent0"><num value="a">(a) </num><heading><inline class="smallCaps">In General</inline>.—</heading><content>Notwithstanding any other provision of law expressly addressing the operation of the applicable Colorado River System reservoirs, immediately upon execution of the March 19, 2019, versions of the Agreement Concerning Colorado River Drought Contingency Management and Operations and the agreements attached thereto as Attachments A1, A2, and B, by all of the non-Federal parties thereto, the Secretary of the Interior shall, without delay, execute such agreements, and is directed and authorized to carry out the provisions of such agreements and operate applicable Colorado River System reservoirs accordingly.</content></subsection>
<subsection identifier="/us/bill/116/s/1057/s2/b" id="id2218BAC8C33E4F5A9666493F489F0873" class="indent0"><num value="b">(b) </num><heading><inline class="smallCaps">Effect</inline>.—</heading><chapeau>Nothing in this section shall—</chapeau>
<paragraph identifier="/us/bill/116/s/1057/s2/b/1" id="id3D2F02E9C55643DDBEF1E0D809F3C160" class="indent1"><num value="1">(1) </num><content>be construed or interpreted as precedent for the litigation of, or as altering, affecting, or being deemed as a congressional determination regarding, the water rights of the United States, any Indian Tribe, band, or community, any State or political subdivision or district of a State, or any person; or</content></paragraph>
<paragraph identifier="/us/bill/116/s/1057/s2/b/2" id="id8BB19B11B4DA41CFB40C3EC237DA066E" class="indent1"><num value="2">(2) </num><content>exempt the implementation of such agreements and the operation of applicable Colorado River System reservoirs from any requirements of applicable Federal environmental laws.</content></paragraph></subsection></section></main><endMarker>○</endMarker></bill>

View File

@@ -0,0 +1,110 @@
<?xml version="1.0" encoding="UTF-8"?><?xml-stylesheet type="text/css" href="uslm.css"?><bill xmlns="http://schemas.gpo.gov/xml/uslm" xmlns:dc="http://purl.org/dc/elements/1.1/" xmlns:html="http://www.w3.org/1999/xhtml" xmlns:uslm="http://schemas.gpo.gov/xml/uslm" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://schemas.gpo.gov/xml/uslm uslm-2.1.0.xsd" xml:lang="en" id="A1"><!--Disclaimer: Legislative measures that include compacts or other non-standard data structures will require additional modeling and may contain inconsistencies in the converted USLM XML.--> <meta>
<dc:title>116 S 1900 RS: Making emergency supplemental appropriations for the fiscal year ending September 30, 2019, and for other purposes.</dc:title>
<dc:type>Senate Bill</dc:type>
<docNumber>1900</docNumber>
<citableAs>116 S 1900 RS</citableAs>
<citableAs>116s1900rs</citableAs>
<citableAs>116 S. 1900 RS</citableAs>
<docStage>Reported in Senate</docStage>
<currentChamber>SENATE</currentChamber>
<dc:creator>United States Senate</dc:creator>
<processedBy>GPO XPub Bill to USLM Generator, version 0.5 + manual changes</processedBy>
<processedDate>2024-09-09</processedDate>
<dc:publisher>United States Government Publishing Office</dc:publisher>
<dc:format>text/xml</dc:format>
<dc:language>EN</dc:language>
<dc:rights>Pursuant to Title 17 Section 105 of the United States Code, this file is not subject to copyright protection and is in the public domain.</dc:rights>
<relatedDocument role="calendar" href="/us/116/scal/115">Calendar No. 115</relatedDocument>
<congress>116</congress>
<session>1</session>
<publicPrivate>public</publicPrivate></meta>
<preface>
<slugLine>•S 1900 RS</slugLine>
<distributionCode display="yes">II</distributionCode>
<relatedDocument role="calendar" href="/us/116/scal/115">Calendar No. 115</relatedDocument>
<congress value="116">116th CONGRESS</congress>
<session value="1">1st Session</session>
<dc:type>S. </dc:type>
<docNumber>1900</docNumber>
<dc:title>Making emergency supplemental appropriations for the fiscal year ending September 30, 2019, and for other purposes.</dc:title>
<currentChamber value="SENATE">IN THE SENATE OF THE UNITED STATES</currentChamber>
<action><date><inline class="smallCaps">June </inline>19, 2019</date><actionDescription><sponsor senateId="S184">Mr. <inline class="smallCaps">Shelby</inline></sponsor>, from the <committee committeeId="SSAP00">Committee on Appropriations</committee>, reported the following original bill; which was read twice and placed on the calendar</actionDescription></action></preface>
<main styleType="appropriations" id="H9D6F574832F046E59011B9F3AC384F1A"><longTitle><docTitle>A BILL</docTitle><officialTitle>Making emergency supplemental appropriations for the fiscal year ending September 30, 2019, and for other purposes.</officialTitle></longTitle><enactingFormula><i>Be it enacted by the Senate and House of Representatives of the United States of America in Congress assembled, </i></enactingFormula><section id="S1" class="inline"><content class="inline">That the following sums are appropriated, out of any money in the Treasury not otherwise appropriated, for the fiscal year ending September 30, 2019, and for other purposes, namely:</content></section>
<title identifier="/us/bill/116/s/1900/tI" id="id593CFBBF57BD481484C8A176A378C011" styleType="appropriations"><num value="I">TITLE I</num><heading class="block">DEPARTMENT OF JUSTICE</heading>
<appropriations level="intermediate" id="id62542EC1625242169C1B4B714AD9A220"><heading>General Administration</heading></appropriations>
<appropriations level="small" id="id00FA32CB6DB1468A86B168256F545EDD"><heading><inline class="smallCaps">executive office for immigration review</inline></heading><content class="block">For an additional amount for “Executive Office for Immigration Review”, $65,000,000, of which $45,000,000 shall be for the hiring of 30 additional Immigration Judge Teams, of which $10,000,000 shall be used for the purchase or lease of immigration judge courtroom space and equipment, and of which $10,000,000 shall be used only for services and activities provided by the Legal Orientation Program: <proviso><i> Provided</i>, That Immigration Judge Teams shall include appropriate attorneys, law clerks, paralegals, court administrators, and other support staff: </proviso><proviso><i> Provided further</i>, That such amount is designated by the Congress as being for an emergency requirement pursuant to section 251(b)(2)(A)(i) of the Balanced Budget and Emergency Deficit Control Act of 1985.</proviso></content></appropriations>
<appropriations level="intermediate" id="H3CD0A43544F94076AFD249B01B005C63"><heading>United States Marshals Service</heading></appropriations>
<appropriations level="small" id="H68CDD80306924241BCEC9F05A2BF7E54"><heading><inline class="smallCaps">federal prisoner detention</inline></heading><content class="block">For an additional amount for “Federal Prisoner Detention”, for necessary expenses related to United States prisoners in the custody of the United States Marshals Service, to be used only as authorized by <ref href="/us/usc/t18/s4013">section 4013 of title 18, United States Code</ref>, $155,000,000, to remain available until expended: <proviso><i> Provided</i>, That such amount is designated by the Congress as being for an emergency requirement pursuant to section 251(b)(2)(A)(i) of the Balanced Budget and Emergency Deficit Control Act of 1985.<br verticalSpace="nextPage"/></proviso></content></appropriations></title>
<title identifier="/us/bill/116/s/1900/tII" id="id281F94E074634C548A4E2A05137975C5" styleType="appropriations"><num value="II">TITLE II</num><heading class="block">DEPARTMENT OF DEFENSE</heading>
<appropriations level="intermediate" id="idE289AF87F72C43348A87F0EFE72D245C"><heading>Operation and Maintenance</heading></appropriations>
<appropriations level="small" id="idF7F594435441431DB07D4BC691EAB18E"><heading><inline class="smallCaps">operation and maintenance, army</inline></heading><content class="block">For an additional amount for “Operation and Maintenance, Army”, $92,800,000, for necessary expenses to respond to the significant rise in unaccompanied minors and family unit aliens at the southwest border and related activities: <proviso><i> Provided</i>, That such amount is designated by the Congress as being for an emergency requirement pursuant to section 251(b)(2)(A)(i) of the Balanced Budget and Emergency Deficit Control Act of 1985.</proviso></content></appropriations>
<appropriations level="small" id="HED3830BFDC3D4A03BEE3E70AFEC4F62F"><heading><inline class="smallCaps">operation and maintenance, marine corps</inline></heading><content class="block">For an additional amount for “Operation and Maintenance, Marine Corps”, $13,025,000, for necessary expenses to respond to the significant rise in unaccompanied minors and family unit aliens at the southwest border and related activities: <proviso><i> Provided</i>, That such amount is designated by the Congress as being for an emergency requirement pursuant to section 251(b)(2)(A)(i) of the Balanced Budget and Emergency Deficit Control Act of 1985.</proviso></content></appropriations>
<appropriations level="small" id="H515BD72CDD63420696903E1ED84093C7"><heading><inline class="smallCaps">operation and maintenance, air force</inline></heading><content class="block">For an additional amount for “Operation and Maintenance, Air Force”, $18,000,000, for necessary expenses to respond to the significant rise in unaccompanied minors and family unit aliens at the southwest border and related activities: <proviso><i> Provided</i>, That such amount is designated by the Congress as being for an emergency requirement pursuant to section 251(b)(2)(A)(i) of the Balanced Budget and Emergency Deficit Control Act of 1985.</proviso></content></appropriations>
<appropriations level="small" id="HFEF19411064E4FA1844C11F9E16EAE35"><heading><inline class="smallCaps">operation and maintenance, army national guard</inline></heading><content class="block">For an additional amount for “Operation and Maintenance, Army National Guard”, $21,024,000, for necessary expenses to respond to the significant rise in unaccompanied minors and family unit aliens at the southwest border and related activities: <proviso><i> Provided</i>, That such amount is designated by the Congress as being for an emergency requirement pursuant to section 251(b)(2)(A)(i) of the Balanced Budget and Emergency Deficit Control Act of 1985.<br verticalSpace="nextPage"/></proviso></content></appropriations></title>
<title identifier="/us/bill/116/s/1900/tIII" id="id948CF5FB54434EFDB1E4B830EB8442AC" styleType="appropriations"><num value="III">TITLE III</num><heading class="block">DEPARTMENT OF HOMELAND SECURITY</heading>
<appropriations level="intermediate" id="id7CD3F30C7DB94D3A8798ABB920E3B16E"><heading>U.S. Customs and Border Protection</heading></appropriations>
<appropriations level="small" id="id14AF16EFD06E4581B307A50AC86AF4F7"><heading><inline class="smallCaps">operations and support</inline></heading><content class="block">For an additional amount for “Operations and Support” for necessary expenses to respond to the significant rise in aliens at the southwest border and related activities, $1,015,431,000; of which $819,950,000 shall be available until September 30, 2020: <proviso><i> Provided</i>, That of the amounts provided under this heading, $708,000,000 is for establishing and operating migrant care and processing facilities, $111,950,000 is for consumables and medical care, $35,000,000 is for transportation, $110,481,000 is for temporary duty and overtime costs including reimbursements, and $50,000,000 is for mission support data systems and analysis: </proviso><proviso><i> Provided further</i>, That such amount is designated by the Congress as being for an emergency requirement pursuant to section 251(b)(2)(A)(i) of the Balanced Budget and Emergency Deficit Control Act of 1985.</proviso></content></appropriations>
<appropriations level="small" id="id79C47D65687440419E60A773326B9832"><heading><inline class="smallCaps">procurement, construction, and improvements</inline></heading><content class="block">For an additional amount for “Procurement, Construction, and Improvements” for migrant care and processing facilities, $85,000,000, to remain available until September 30, 2023: <proviso><i> Provided</i>, That such amount is designated by the Congress as being for an emergency requirement pursuant to section 251(b)(2)(A)(i) of the Balanced Budget and Emergency Deficit Control Act of 1985.</proviso></content></appropriations>
<appropriations level="intermediate" id="idA08702200D144ACBA16058E543EA7422"><heading>U.S. Immigration and Customs Enforcement</heading></appropriations>
<appropriations level="small" id="id65F9DD5A1D0D4DE7B5156A5907C89D9D"><heading><inline class="smallCaps">operations and support</inline></heading><content class="block">For an additional amount for “Operations and Support” for necessary expenses to respond to the significant rise in aliens at the southwest border and related activities, $208,945,000: <proviso><i> Provided</i>, That of the amounts provided under this heading, $35,943,000 is for transportation of unaccompanied alien children, $11,981,000 is for detainee transportation for medical needs, court proceedings, or relocation from U.S. Customs and Border Protection custody, $20,000,000 is for alternatives to detention, $45,000,000 is for detainee medical care, $69,735,000 is for temporary duty, overtime, and other on-board personnel costs including reimbursements, $5,000,000 is for the Office of Professional Responsibility for background investigations and facility inspections, and $21,286,000 is for Homeland Security Investigations human trafficking investigations: </proviso><proviso><i> Provided further</i>, That such amount is designated by the Congress as being for an emergency requirement pursuant to section 251(b)(2)(A)(i) of the Balanced Budget and Emergency Deficit Control Act of 1985.</proviso></content></appropriations>
<appropriations level="intermediate" id="idD143FA7D21D4435AABB7843B5070999C"><heading>Federal Emergency Management Agency</heading></appropriations>
<appropriations level="small" id="idF5C6FF6D50D24027B8789F6BFB9EC439"><heading><inline class="smallCaps">federal assistance</inline></heading><content class="block">For an additional amount for “Federal Assistance”, $30,000,000, to remain available until September 30, 2020, for the emergency food and shelter program under title III of the McKinney-Vento Homeless Assistance Act (<ref href="/us/usc/t42/s11331/etseq">42 U.S.C. 11331 et seq.</ref>) for the purposes of providing assistance to aliens released from the custody of the Department of Homeland Security: <proviso><i> Provided</i>, That notwithstanding sections 315 and 316(b) of such Act, funds made available under this section shall be disbursed by the Emergency Food and Shelter Program National Board not later than 30 days after the date on which such funds become available: </proviso><proviso><i> Provided further</i>, That the Emergency Food and Shelter Program National Board shall distribute such funds only to jurisdictions or local recipient organizations serving communities that have experienced a significant influx of such aliens: </proviso><proviso><i> Provided further</i>, That such funds may be used to reimburse such jurisdictions or local recipient organizations for costs incurred in providing services to such aliens on or after January 1, 2019: </proviso><proviso><i> Provided further</i>, That such amount is designated by the Congress as being for an emergency requirement pursuant to section 251(b)(2)(A)(i) of the Balanced Budget and Emergency Deficit Control Act of 1985.</proviso></content></appropriations>
<appropriations level="major" id="idAE3D93344CB241A28ECFCCEFE32FEE76"><heading>GENERAL PROVISIONS—THIS TITLE</heading></appropriations>
<section identifier="/us/bill/116/s/1900/tIII/s301" id="id962CA14220F04B428040B6A32DDDFE84"><num value="301"><inline class="smallCaps">Sec. 301. </inline></num><content class="inline">Notwithstanding any other provision of law, funds made available under each heading in this title shall only be used for the purposes specifically described under that heading.</content></section>
<section role="instruction" identifier="/us/bill/116/s/1900/tIII/s302" id="idB7387544425244C5AE4452928F5FE7A7"><num value="302"><inline class="smallCaps">Sec. 302. </inline></num><content class="inline">Division A of the Consolidated Appropriations Act, 2019 (<ref href="/us/pl/116/6">Public Law 1166</ref>) <amendingAction type="amend">is amended</amendingAction> by <amendingAction type="add">adding</amendingAction> after section 540 the following:
<quotedContent id="idDD1F6E73838649AF88C53CBFD391DC37" styleType="appropriations">
<section id="id10BF56FC2E0F4246917569D78A4C5735"><num value="541"><inline class="smallCaps">“Sec. 541. </inline></num><subsection id="id6A677B2A3E544005BED095446A144561" class="inline"><num value="a">(a) </num><chapeau>Section 831 of the Homeland Security Act of 2002 (<ref href="/us/usc/t6/s391">6 U.S.C. 391</ref>) shall be applied—</chapeau>
<paragraph id="id2e193532dc5e4e07abd6dc33bafa01c4" class="indent1"><num value="1">“(1) </num><content>In subsection (a), by substituting September 30, 2019, for September 30, 2017,; and</content></paragraph>
<paragraph id="id2beced72755445e3b191b942541d49d8" class="indent1"><num value="2">“(2) </num><content>In subsection (c)(1), by substituting September 30, 2019, for September 30, 2017.</content></paragraph></subsection>
<subsection id="id0fc4044c18fb4673bd97853c7f60dac0" class="indent0"><num value="b">“(b) </num><content>The Secretary of Homeland Security, under the authority of section 831 of the Homeland Security Act of 2002 (<ref href="/us/usc/t6/s391/a">6 U.S.C. 391(a)</ref>), may carry out prototype projects under <ref href="/us/usc/t10/s2371b">section 2371b of title 10, United States Code</ref>, and the Secretary shall perform the functions of the Secretary of Defense as prescribed.</content></subsection>
<subsection id="id9dad413315194fbdb01889f7b96239c8" class="indent0"><num value="c">“(c) </num><content>The Secretary of Homeland Security under section 831 of the Homeland Security Act of 2002 (<ref href="/us/usc/t6/s391/d">6 U.S.C. 391(d)</ref>) may use the definition of nontraditional government contractor as defined in <ref href="/us/usc/t10/s2371b/e">section 2371b(e) of title 10, United States Code</ref>.”</content></subsection></section></quotedContent><inline role="after-quoted-block">.</inline></content></section>
<section identifier="/us/bill/116/s/1900/tIII/s303" id="id6233994479764E5DA941CF824EEEE8F4"><num value="303"><inline class="smallCaps">Sec. 303. </inline></num><content class="inline">None of the funds provided in this Act under “U.S. Customs and Border Protection—Operations and Support” for facilities shall be available until U.S. Customs and Border Protection establishes policies (via directive, procedures, guidance, and/or memorandum) and training programs to ensure that such facilities adhere to the National Standards on Transport, Escort, Detention, and Search, published in October of 2015: <proviso><i> Provided</i>, That not later than 90 days after the date of enactment of this Act, U.S. Customs and Border Protection shall provide a detailed report to the Committees on Appropriations of the Senate and the House of Representatives, the Committee on the Judiciary of the Senate, and the House Judiciary Committee regarding the establishment and implementation of such policies and training programs.</proviso></content></section>
<section identifier="/us/bill/116/s/1900/tIII/s304" id="idC57E926C8B7041BA890349A50A902CE6"><num value="304"><inline class="smallCaps">Sec. 304. </inline></num><content class="inline">No later than 30 days after the date of enactment of this Act, the Secretary of Homeland Security shall provide a report on the number of U.S. Customs and Border Protection Officers assigned to northern border land ports of entry and temporarily assigned to the ongoing humanitarian crisis: <proviso><i> Provided</i>, That the report shall outline what resources and conditions would allow a return to northern border staffing levels that are no less than the number committed in the June 12, 2018 Department of Homeland Security Northern Border Strategy: </proviso><proviso><i> Provided further</i>, That the report shall include the number of officers temporarily assigned to the southwest border in response to the ongoing humanitarian crisis, the number of days the officers will be away from their northern border assignment, the northern border ports from which officers are being assigned to the southwest border, and efforts being made to limit the impact on operations at each northern border land port of entry where officers have been temporarily assigned to the southwest border.</proviso></content></section>
<section identifier="/us/bill/116/s/1900/tIII/s305" id="id03FC382333B842F1BA13C0FBDFB78B30"><num value="305"><inline class="smallCaps">Sec. 305. </inline></num><content class="inline">None of the funds appropriated or otherwise made available by this Act or division A of the Consolidated Appropriations Act, 2019 (<ref href="/us/pl/116/6">Public Law 1166</ref>) for the Department of Homeland Security may be used to relocate to the National Targeting Center the vetting of Trusted Traveler Program applications and operations currently carried out at existing locations unless specifically authorized by a statute enacted after the date of enactment of this Act.</content></section>
<section identifier="/us/bill/116/s/1900/tIII/s306" id="id25153C08D3D24E44A7C71738BD4B6F3F"><num value="306"><inline class="smallCaps">Sec. 306. </inline></num><content class="inline">The personnel, supplies, or equipment of any component of the Department of Homeland Security may be deployed to support activities of the Department of Homeland Security related to the significant rise in aliens at the southwest border and related activities, and for the enforcement of immigration and customs laws, detention and removals of aliens crossing the border unlawfully, and investigations without reimbursement as jointly agreed by the detailing components.<br verticalSpace="nextPage"/></content></section></title>
<title identifier="/us/bill/116/s/1900/tIV" id="id102EA10AAAB842B99B6E6A8D6E545091" styleType="appropriations"><num value="IV">TITLE IV</num><heading class="block">DEPARTMENT OF HEALTH AND HUMAN SERVICES</heading>
<appropriations level="intermediate" id="HAC2ECFAE491B4940B5A656E647C9BB20"><heading>Administration for Children and Families</heading></appropriations>
<appropriations level="small" id="HFFBCA58EC40A422CBED89E13187F53D4"><heading><inline class="smallCaps">refugee and entrant assistance</inline></heading><content class="block">For an additional amount for “Refugee and Entrant Assistance”, $2,881,552,000, to be merged with and available for the same period as funds appropriated in <ref href="/us/pl/115/245">Public Law 115245</ref> “for carrying out such sections 414, 501, 462, and 235”, which shall be available for any purpose funded under such heading in such law: <proviso><i> Provided</i>, That if any part of the reprogramming described in the notification submitted by the Secretary of Health and Human Services (the “Secretary”) to the Committees on Appropriations of the House of Representatives and the Senate on May 16, 2019 has been executed, such amounts provided by this Act as are necessary shall be used to reverse such reprogramming: </proviso><proviso><i> Provided further</i>, That amounts allocated by the Secretary for costs of leases of property that include facilities to be used as hard-sided dormitories for which the Secretary intends to seek State licensure for the care of unaccompanied alien children, and that are executed under authorities transferred to the Director of the Office of Refugee Resettlement (ORR) under section 462 of the Homeland Security Act of 2002, shall remain available until expended: </proviso><proviso><i> Provided further</i>, That ORR shall notify the Committees on Appropriations of the House of Representatives and the Senate within 72 hours of conducting a formal assessment of a facility for possible lease or acquisition and within 7 days of any acquisition or lease of real property: </proviso><proviso><i> Provided further</i>, That not less than $866,000,000 of amounts provided under this heading shall be used for the provision of care in licensed shelters and for expanding the supply of shelters for which State licensure will be sought, of which not less than $27,000,000 shall be available for the purposes of <amendingAction type="add">adding</amendingAction> shelter beds in State-licensed facilities in response to funding opportunity HHS2017ACFORRZU1132, and of which not less than $185,000,000 shall be available for expansion grants to add beds in State-licensed facilities and open new State-licensed facilities, and for contract costs to acquire, activate, and operate facilities that will include small- and medium-scale hard-sided facilities for which the Secretary intends to seek State licensure in an effort to phase out the need for shelter beds in unlicensed facilities: </proviso><proviso><i> Provided further</i>, That not less than $100,000,000 of amounts provided under this heading shall be used for post-release services, child advocates, and legal services: </proviso><proviso><i> Provided further</i>, That not less than $8,000,000 of amounts provided under this heading shall be used for the purposes of hiring additional Federal Field Specialists and for increasing case management and case coordination services, with the goal of more expeditiously placing unaccompanied alien children with sponsors and reducing the length of stay in ORR custody: </proviso><proviso><i> Provided further</i>, That not less than $1,000,000 of amounts provided under this heading shall be used for the purposes of hiring project officers and program monitor staff dedicated to pursuing strategic improvements to the Unaccompanied Alien Children program and for the development of a discharge rate improvement plan which shall be submitted to the Committees on Appropriations of the House of Representatives and the Senate within 120 days of enactment of this Act: </proviso><proviso><i> Provided further</i>, That of the amounts provided under this heading, $5,000,000 shall be transferred to “<quotedText>Office of the Secretary—Office of Inspector General</quotedText>” and shall remain available until expended for oversight of activities supported with funds appropriated under this heading: </proviso><proviso><i> Provided further</i>, That such amount is designated by the Congress as being for an emergency requirement pursuant to section 251(b)(2)(A)(i) of the Balanced Budget and Emergency Deficit Control Act of 1985.</proviso></content></appropriations>
<appropriations level="major" id="H17051ADF26BD4A3FA9036E8C66118859"><heading>GENERAL PROVISIONS—THIS TITLE</heading></appropriations>
<section identifier="/us/bill/116/s/1900/tIV/s401" id="HC8808302347C"><num value="401"><inline class="smallCaps">Sec. 401. </inline></num><content class="inline">The Secretary of Health and Human Services (the “Secretary”) shall prioritize use of community-based residential care (including long-term and transitional foster care and small group homes) and shelter care other than large-scale institutional shelter facilities to house unaccompanied alien children in its custody. The Secretary shall prioritize State-licensed and hard-sided dormitories.</content></section>
<section identifier="/us/bill/116/s/1900/tIV/s402" id="id87ABA47A0C2A412597F632C019C12917"><num value="402"><inline class="smallCaps">Sec. 402. </inline></num><content class="inline">The Office of Refugee Resettlement shall ensure that its grantees and, to the greatest extent practicable, potential sponsors of unaccompanied alien children are aware of current law regarding the use of information collected as part of the sponsor suitability determination process.</content></section>
<section identifier="/us/bill/116/s/1900/tIV/s403" id="id0564D6013C924A8DA070FBAFDA3C8C8E"><num value="403"><inline class="smallCaps">Sec. 403. </inline></num><subsection identifier="/us/bill/116/s/1900/tIV/s403/a" id="idEDC95D01F9CB490994F4CB3B9A7D9990" class="inline"><num value="a">(a) </num><content>None of the funds provided by this or any prior appropriations Act may be used to reverse changes in procedures made by operational directives issued to providers by the Office of Refugee Resettlement on December 18, 2018, March 23, 2019, and June 10, 2019 regarding the Memorandum of Agreement on Information Sharing executed April 13, 2018.</content></subsection>
<subsection identifier="/us/bill/116/s/1900/tIV/s403/b" id="id6401a4f077da4797b7c7b39b4b311f4a" class="indent0"><num value="b">(b) </num><content>Notwithstanding subsection (a), the Secretary may make changes to such operational directives upon making a determination that such changes are necessary to prevent unaccompanied alien children from being placed in danger, and the Secretary shall provide a written justification to Congress and the Inspector General of the Department of Health and Human Services in advance of implementing such changes.</content></subsection>
<subsection identifier="/us/bill/116/s/1900/tIV/s403/c" id="id4ec9e097ce7e4ccda6350d8dfb1aadc5" class="indent0"><num value="c">(c) </num><content>Within 15 days of the Secretarys communication of the justification, the Inspector General of the Department of Health and Human Services shall provide an assessment, in writing, to the Secretary and to Committees on Appropriations of the House of Representatives and the Senate of whether such changes to operational directives are necessary to prevent unaccompanied children from being placed in danger.</content></subsection></section>
<section identifier="/us/bill/116/s/1900/tIV/s404" id="H49BA74FDB67246C1A8D94265F5D3773C"><num value="404"><inline class="smallCaps">Sec. 404. </inline></num><chapeau class="inline">None of the funds made available in this Act under the heading “<headingText>Department of Health and Human Services—Administration for Children and Families—Refugee and Entrant Assistance</headingText>” may be obligated to a grantee or contractor to house unaccompanied alien children (as such term is defined in section 462(g)(2) of the Homeland Security Act of 2002 (<ref href="/us/usc/t6/s279/g/2">6 U.S.C. 279(g)(2)</ref>)) in any facility that is not State-licensed for the care of unaccompanied alien children, except in the case that the Secretary determines that housing unaccompanied alien children in such a facility is necessary on a temporary basis due to an influx of such children or an emergency, provided that—</chapeau>
<paragraph identifier="/us/bill/116/s/1900/tIV/s404/1" id="HB9CA9EC68C4745C7B019A5CF635B7755" class="indent1"><num value="1">(1) </num><chapeau>the terms of the grant or contract for the operations of any such facility that remains in operation for more than six consecutive months shall require compliance with—</chapeau>
<subparagraph identifier="/us/bill/116/s/1900/tIV/s404/1/A" id="H1251F8C105614C689F93DC61FFC01F9B" class="indent2"><num value="A">(A) </num><content>the same requirements as licensed placements, as listed in Exhibit 1 of the Flores Settlement Agreement that the Secretary determines are applicable to non-State licensed facilities; and</content></subparagraph>
<subparagraph identifier="/us/bill/116/s/1900/tIV/s404/1/B" id="H24C809118CA848DD9D027AB329194835" class="indent2"><num value="B">(B) </num><content>staffing ratios of one (1) on-duty Youth Care Worker for every eight (8) children or youth during waking hours, one (1) on-duty Youth Care Worker for every sixteen (16) children or youth during sleeping hours, and clinician ratios to children (including mental health providers) as required in grantee cooperative agreements;</content></subparagraph></paragraph>
<paragraph identifier="/us/bill/116/s/1900/tIV/s404/2" id="HF079057546014535B1FDF4E6A7FEDEE8" class="indent1"><num value="2">(2) </num><content>the Secretary may grant a 60-day waiver for a contractors or grantees non-compliance with paragraph (1) if the Secretary certifies and provides a report to Congress on the contractors or grantees good-faith efforts and progress towards compliance;</content></paragraph>
<paragraph identifier="/us/bill/116/s/1900/tIV/s404/3" id="HE66F58C823A34D1CA30C2D263E97132C" class="indent1"><num value="3">(3) </num><content>not more than four consecutive waivers under paragraph (2) may be granted to a contractor or grantee with respect to a specific facility;</content></paragraph>
<paragraph identifier="/us/bill/116/s/1900/tIV/s404/4" id="HDE33C2E0A2BE464FB3ECCF0F3F1C3490" class="indent1"><num value="4">(4) </num><content>ORR shall ensure full adherence to the monitoring requirements set forth in section 5.5 of its Policies and Procedures Guide as of May 15, 2019;</content></paragraph>
<paragraph identifier="/us/bill/116/s/1900/tIV/s404/5" id="HD132A1882A4041A7906ED1FF555D7D93" class="indent1"><num value="5">(5) </num><content>for any such unlicensed facility in operation for more than three consecutive months, ORR shall conduct a minimum of one comprehensive monitoring visit during the first three months of operation, with quarterly monitoring visits thereafter; and</content></paragraph>
<paragraph identifier="/us/bill/116/s/1900/tIV/s404/6" id="H7FB3859257724DB6815BD75E7BBCE2B6" class="indent1"><num value="6">(6) </num><content>not later than 60 days after the date of enactment of this Act, ORR shall brief the Committees on Appropriations of the House of Representatives and the Senate outlining the requirements of ORR for influx facilities including any requirement listed in paragraph (1)(A) that the Secretary has determined are not applicable to non-State licensed facilities.</content></paragraph></section>
<section identifier="/us/bill/116/s/1900/tIV/s405" id="H0FADD3B1ECEB439697E9A5F625543E6C"><num value="405"><inline class="smallCaps">Sec. 405. </inline></num><content class="inline">In addition to the existing Congressional notification for formal site assessments of potential influx facilities, the Secretary shall notify the Committees on Appropriations of the House of Representatives and the Senate at least 15 days before operationalizing an unlicensed facility, and shall (1) specify whether the facility is hard-sided or soft-sided, and (2) provide analysis that indicates that, in the absence of the influx facility, the likely outcome is that unaccompanied alien children will remain in the custody of the Department of Homeland Security for longer than 72 hours or that unaccompanied alien children will be otherwise placed in danger. Within 60 days of bringing such a facility online, and monthly thereafter, the Secretary shall provide to the Committees on Appropriations of the House of Representatives and the Senate a report detailing the total number of children in care at the facility, the average length of stay and average length of care of children at the facility, and, for any child that has been at the facility for more than 60 days, their length of stay and reason for delay in release.</content></section>
<section identifier="/us/bill/116/s/1900/tIV/s406" id="H340B2752A81E4BA498A7C85A5B632F82"><num value="406"><inline class="smallCaps">Sec. 406. </inline></num><subsection identifier="/us/bill/116/s/1900/tIV/s406/a" id="H203CF6CC86764EC395418FA5E7A92989" class="inline"><num value="a">(a) </num><chapeau>The Secretary shall ensure that, when feasible, no unaccompanied alien child is at an unlicensed facility if the child—</chapeau>
<paragraph identifier="/us/bill/116/s/1900/tIV/s406/a/1" id="H7D23EE9F687A43B58EF1C8F1E77D3B24" class="indent1"><num value="1">(1) </num><content>is not expected to be placed with a sponsor within 30 days;</content></paragraph>
<paragraph identifier="/us/bill/116/s/1900/tIV/s406/a/2" id="HDE92837212484576B266E1E03049A4B1" class="indent1"><num value="2">(2) </num><content>is under the age of 13;</content></paragraph>
<paragraph identifier="/us/bill/116/s/1900/tIV/s406/a/3" id="H7838C2DB48934AADBA017CBEF98E000B" class="indent1"><num value="3">(3) </num><content>does not speak English or Spanish as his or her preferred language;</content></paragraph>
<paragraph identifier="/us/bill/116/s/1900/tIV/s406/a/4" id="H036D1806D49B4DA48B258E12D32FCFB2" class="indent1"><num value="4">(4) </num><content>has known special needs, behavioral health issues, or medical issues that would be better served at an alternative facility;</content></paragraph>
<paragraph identifier="/us/bill/116/s/1900/tIV/s406/a/5" id="H95E58ED49B814E7EA855D56F3906CD8F" class="indent1"><num value="5">(5) </num><content>is a pregnant or parenting teen; or</content></paragraph>
<paragraph identifier="/us/bill/116/s/1900/tIV/s406/a/6" id="HBE1637E9BE4648B6BB054B35B2318F20" class="indent1"><num value="6">(6) </num><content>would have a diminution of legal services as a result of the transfer to such an unlicensed facility.</content></paragraph></subsection>
<subsection identifier="/us/bill/116/s/1900/tIV/s406/b" id="H52BB596CBDD9477EA95FD7C1FFB6E7A8" class="indent0"><num value="b">(b) </num><content>ORR shall notify a childs attorney of record in advance of any transfer, where applicable.</content></subsection></section>
<section identifier="/us/bill/116/s/1900/tIV/s407" id="H510927C532514DA7ABAFBEEB5C6A3C30"><num value="407"><inline class="smallCaps">Sec. 407. </inline></num><content class="inline">None of the funds made available in this Act may be used to prevent a United States Senator or Member of the House of Representatives from entering, for the purpose of conducting oversight, any facility in the United States used for the purpose of maintaining custody of, or otherwise housing, unaccompanied alien children (as defined in section 462(g)(2) of the Homeland Security Act of 2002 (<ref href="/us/usc/t6/s279/g/2">6 U.S.C. 279(g)(2)</ref>)), provided that such Senator or Member has coordinated the oversight visit with the Office of Refugee Resettlement not less than two business days in advance to ensure that such visit would not interfere with the operations (including child welfare and child safety operations) of such facility.</content></section>
<section identifier="/us/bill/116/s/1900/tIV/s408" id="HD3A73EC36C9A44A3A05189A8CF4FC7CC"><num value="408"><inline class="smallCaps">Sec. 408. </inline></num><chapeau class="inline">Not later than 14 days after the date of enactment of this Act, and monthly thereafter, the Secretary shall submit to the Committees on Appropriations of the House of Representatives and the Senate, and make publicly available online, a report with respect to children who were separated from their parents or legal guardians by the Department of Homeland Security (DHS) (regardless of whether or not such separation was pursuant to an option selected by the children, parents, or guardians), subsequently classified as unaccompanied alien children, and transferred to the care and custody of ORR during the previous month. Each report shall contain the following information:</chapeau>
<paragraph identifier="/us/bill/116/s/1900/tIV/s408/1" id="H615672A5589B46A6AF58471A1FFF9CF3" class="indent1"><num value="1">(1) </num><content>the number and ages of children so separated subsequent to apprehension at or between ports of entry, to be reported by sector where separation occurred; and</content></paragraph>
<paragraph identifier="/us/bill/116/s/1900/tIV/s408/2" id="HDF8E54D0362F4FF7A44EE84B95925E42" class="indent1"><num value="2">(2) </num><content>the documented cause of separation, as reported by DHS when each child was referred.</content></paragraph></section>
<section identifier="/us/bill/116/s/1900/tIV/s409" id="id5ECD8CAE681C4C87ADCCF6576E199429"><num value="409"><inline class="smallCaps">Sec. 409. </inline></num><content class="inline">Funds made available in this Act under the heading “<headingText>Department of Health and Human Services—Administration for Children and Families—Refugee and Entrant Assistance</headingText>” shall be subject to the authorities and conditions of section 224 of division A of the Consolidated Appropriations Act, 2019 (<ref href="/us/pl/116/6">Public Law 1166</ref>).</content></section>
<section identifier="/us/bill/116/s/1900/tIV/s410" id="H53A4471885D34AF4A9DFE6820689E4E7"><num value="410"><inline class="smallCaps">Sec. 410. </inline></num><content class="inline">Not later than 30 days after the date of enactment of this Act, the Secretary shall submit to the Committees on Appropriations of the House of Representatives and the Senate a detailed spend plan of anticipated uses of funds made available in this account, including the following: a list of existing grants and contracts for both permanent and influx facilities, including their costs, capacity, and timelines; costs for expanding capacity through the use of community-based residential care placements (including long-term and transitional foster care and small group homes) through new or modified grants and contracts; current and planned efforts to expand small-scale shelters and available foster care placements, including collaboration with state child welfare providers; influx facilities being assessed for possible use, costs and services to be provided for legal services, child advocates, and post release services; program administration; and the average number of weekly referrals and discharge rate assumed in the spend plan: <proviso><i> Provided</i>, That such plan shall be updated to reflect changes and expenditures and submitted to the Committees on Appropriations of the House of Representatives and the Senate every 60 days until all funds are expended or expired.<br verticalSpace="nextPage"/></proviso></content></section></title>
<title identifier="/us/bill/116/s/1900/tV" id="idE4448535966140E7891F384017587BE8" styleType="appropriations"><num value="V">TITLE V</num><heading class="block">GENERAL PROVISIONS—THIS ACT</heading>
<section identifier="/us/bill/116/s/1900/tV/s501" id="id4B507867C1914B08B22D70E6D4388CAA"><num value="501"><inline class="smallCaps">Sec. 501. </inline></num><content class="inline">Each amount appropriated or made available by this Act is in addition to amounts otherwise appropriated for the fiscal year involved.</content></section>
<section identifier="/us/bill/116/s/1900/tV/s502" id="id166A7E2A60D34279AF6B1F540EAFB8DE"><num value="502"><inline class="smallCaps">Sec. 502. </inline></num><content class="inline">No part of any appropriation contained in this Act shall remain available for obligation beyond the current fiscal year unless expressly so provided herein.</content></section>
<section identifier="/us/bill/116/s/1900/tV/s503" id="idE395CDC5A62E443CBB47F6BCD402D845"><num value="503"><inline class="smallCaps">Sec. 503. </inline></num><content class="inline">Unless otherwise provided for by this Act, the additional amounts appropriated by this Act to appropriations accounts shall be available under the authorities and conditions applicable to such appropriations accounts for fiscal year 2019.</content></section>
<section identifier="/us/bill/116/s/1900/tV/s504" id="id6D574987474340F09EC767D10A1AE364"><num value="504"><inline class="smallCaps">Sec. 504. </inline></num><content class="inline">Each amount designated in this Act by the Congress as being for an emergency requirement pursuant to section 251(b)(2)(A)(i) of the Balanced Budget and Emergency Deficit Control Act of 1985 shall be available (or rescinded or transferred, if applicable) only if the President subsequently so designates all such amounts and transmits such designations to the Congress.</content></section>
<section identifier="/us/bill/116/s/1900/tV/s505" id="id765A9DBFEE874139AE9D943426C52A5B"><num value="505"><inline class="smallCaps">Sec. 505. </inline></num><content class="inline">Any amount appropriated by this Act, designated by the Congress as an emergency requirement pursuant to section 251(b)(2)(A)(i) of the Balanced Budget and Emergency Deficit Control Act of 1985 and subsequently so designated by the President, and transferred pursuant to transfer authorities provided by this Act shall retain such designation.</content></section>
<section identifier="/us/bill/116/s/1900/tV/s506" id="id2DC4FA10FB994110ABD53A5A455BBE5B"><num value="506"><inline class="smallCaps">Sec. 506. </inline></num><chapeau class="inline">Not later than 180 days after the date of the enactment of this Act, the Comptroller General of the United States shall submit a report to the Committees on Appropriations of the House of Representatives and the Senate on the number of asylum officers and immigration judges, including temporary immigration judges, and the corresponding number of support staff necessary—</chapeau>
<paragraph identifier="/us/bill/116/s/1900/tV/s506/1" id="id8d72fb6792df40d587152ddb37134b6f" class="indent1"><num value="1">(1) </num><content>to fairly and effectively make credible fear determinations with respect to individuals within family units and unaccompanied alien children;</content></paragraph>
<paragraph identifier="/us/bill/116/s/1900/tV/s506/2" id="id28facf7812844b659f306ce10e80a12d" class="indent1"><num value="2">(2) </num><content>to ensure that the credible fear determination and asylum interview is completed not later than 20 days after the date on which a family unit is apprehended; and</content></paragraph>
<paragraph identifier="/us/bill/116/s/1900/tV/s506/3" id="id68d80a2ad029463c8eb5dfe5f0a0f588" class="indent1"><num value="3">(3) </num><content>to fairly and effectively review appeals of credible fear determinations with respect to individuals within family units and unaccompanied alien children.</content></paragraph>
<continuation class="indent0" role="section">In addition, the report shall determine if there is any physical infrastructure such as hearing or courtroom space needed to achieve these goals.</continuation></section>
<appropriations level="small" id="id52F09A8E41D845CDA268608F5ED79CB7"><content class="block">This Act may be cited as the “<shortTitle role="act">Emergency Supplemental Appropriations for Humanitarian Assistance and Security at the Southern Border Act, 2019</shortTitle>”.</content></appropriations></title></main>
<endorsement orientation="landscape"><relatedDocument role="calendar" href="/us/116/scal/115">Calendar No. 115</relatedDocument><congress value="116">116th CONGRESS</congress><session value="1">1st Session</session><dc:type>S. </dc:type><docNumber>1900</docNumber><longTitle><docTitle>A BILL</docTitle><officialTitle>Making emergency supplemental appropriations for the fiscal year ending September 30, 2019, and for other purposes.</officialTitle></longTitle><action><date date="2019-06-19"><inline class="smallCaps">June </inline>19, 2019</date><actionDescription>Read twice and placed on the calendar</actionDescription></action></endorsement></bill>

View File

@@ -0,0 +1,100 @@
<?xml version="1.0" encoding="UTF-8"?><?xml-stylesheet type="text/css" href="uslm.css"?><bill xmlns="http://schemas.gpo.gov/xml/uslm" xmlns:dc="http://purl.org/dc/elements/1.1/" xmlns:html="http://www.w3.org/1999/xhtml" xmlns:uslm="http://schemas.gpo.gov/xml/uslm" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://schemas.gpo.gov/xml/uslm uslm-2.1.0.xsd" xml:lang="en" id="A1"><!--Disclaimer: Legislative measures that include compacts or other non-standard data structures will require additional modeling and may contain inconsistencies in the converted USLM XML.--> <meta>
<dc:title>116 S 2245 : To cap noninterest Federal spending as a percentage of potential GDP to right-size the Government, grow the economy, and balance the budget.</dc:title>
<dc:type>Senate Bill</dc:type>
<docStage>Pre-Introduced</docStage>
<currentChamber>SENATE</currentChamber>
<dc:creator>United States Senate</dc:creator>
<processedBy>GPO XPub Bill to USLM Generator, version 0.5 + manual changes</processedBy>
<processedDate>2024-09-09</processedDate>
<dc:publisher>United States Government Publishing Office</dc:publisher>
<dc:format>text/xml</dc:format>
<dc:language>EN</dc:language>
<dc:rights>Pursuant to Title 17 Section 105 of the United States Code, this file is not subject to copyright protection and is in the public domain.</dc:rights>
<congress>116</congress>
<session>1</session>
<publicPrivate>public</publicPrivate></meta>
<preface>
<distributionCode display="yes">II</distributionCode>
<congress value="116">116th CONGRESS</congress>
<session value="1">1st Session</session>
<dc:type>S. </dc:type>
<docNumber>2245</docNumber>
<dc:title>To cap noninterest Federal spending as a percentage of potential GDP to right-size the Government, grow the economy, and balance the budget.</dc:title>
<currentChamber value="SENATE">IN THE SENATE OF THE UNITED STATES</currentChamber>
<action><date date="2019-07-24"><inline class="smallCaps">July </inline>24, 2019</date><actionDescription><sponsor senateId="S397">Mr. <inline class="smallCaps">Braun</inline></sponsor> (for himself and <cosponsor senateId="S391">Mr. <inline class="smallCaps">Young</inline></cosponsor>) introduced the following bill; which was read twice and referred to the <committee committeeId="SSBU00">Committee on the Budget</committee></actionDescription></action></preface>
<main id="H2041455A642C4F5DA69178F46B1CBC26" styleType="OLC"><longTitle><docTitle>A BILL</docTitle><officialTitle>To cap noninterest Federal spending as a percentage of potential GDP to right-size the Government, grow the economy, and balance the budget.</officialTitle></longTitle><enactingFormula><i>Be it enacted by the Senate and House of Representatives of the United States of America in Congress assembled, </i></enactingFormula>
<section identifier="/us/bill/116/s//s1" id="H4489BA84E5E2453E93CB7B219A047406"><num value="1">SECTION 1. </num><heading>SHORT TITLE.</heading><content class="block">This title may be cited as the “<shortTitle role="title">Maximizing Americas Prosperity Act of 2019</shortTitle>”.</content></section>
<section identifier="/us/bill/116/s//s2" id="H8ED06AFC0EAF4B1DBB822957BEE7F66A"><num value="2">SEC. 2. </num><heading>TOTAL SPENDING LIMITS.</heading>
<subsection role="instruction" identifier="/us/bill/116/s//s2/a" id="H179117093ABC49B69F64DEB8FC53201C" class="indent0"><num value="a">(a) </num><heading><inline class="smallCaps">Total Spending Limits</inline>.—</heading><content>Section 251 of the Balanced Budget and Emergency Deficit Control Act of 1985 (<ref href="/us/usc/t2/s901">2 U.S.C. 901</ref>) <amendingAction type="amend">is amended</amendingAction> to read as follows:
<quotedContent id="HE3EBF64BB67142539D0E7DB619D6B4D0" styleType="OLC">
<section id="H46FDD0908B4D4089A71E512FFEC964E4"><num value="251">“SEC. 251. </num><heading>TOTAL SPENDING LIMITS.</heading>
<subsection id="H5D8E82E7C8CE42119A2460CDCF0A78C1" class="indent0"><num value="a">“(a) </num><heading><inline class="smallCaps">Projections</inline>.—</heading>
<paragraph id="HEDE7D47C7DFE445BA50389A1A9A0A989" class="indent1"><num value="1">“(1) </num><heading><inline class="smallCaps">OMB report</inline>.—</heading><content>OMB shall prepare a report comparing projected total spending under section 257 and the total spending limits in subsection (c), and include such report in the budget as submitted by the President annually under <ref href="/us/usc/t31/s1105/a">section 1105(a) of title 31, United States Code</ref>.</content></paragraph>
<paragraph id="H0733863074A04A15A363A4E3213EDFA9" class="indent1"><num value="2">“(2) </num><heading><inline class="smallCaps">CBO report</inline>.—</heading><content>CBO shall prepare a report comparing projected total spending under section 257 and the total spending limits in subsection (c), and include such report in the CBO annual baseline and reestimate of the Presidents budget.</content></paragraph>
<paragraph id="HF1886E53E9724A8FAB54A0B2EF7CA55D" class="indent1"><num value="3">“(3) </num><heading><inline class="smallCaps">Inclusion in spending reduction orders</inline>.—</heading><content>Reports prepared pursuant to this subsection shall be included in a spending reduction order issued under subsection (b).</content></paragraph></subsection>
<subsection id="H3AD734C49FF645F7829391C1442FE1B1" class="indent0"><num value="b">“(b) </num><heading><inline class="smallCaps">Spending Reduction Order</inline>.—</heading>
<paragraph id="id997440C346FC4E2BBF759C896A0C9445" class="indent1"><num value="1">“(1) </num><heading><inline class="smallCaps">In general</inline>.—</heading><content>Within 15 calendar days after Congress adjourns to end a session, there shall be a spending reduction order under section 254(f)(4).</content></paragraph>
<paragraph id="H9752BFD5DCB5429CB49F739F0FB3F0AF" class="indent1"><num value="2">“(2) </num><heading><inline class="smallCaps">Calculation of spending reduction</inline>.—</heading><content>Subject to paragraph (3), each non-exempt budget account shall be reduced by a dollar amount calculated by multiplying the enacted level of sequestrable budgetary resources in that account at that time by the uniform percentage necessary to achieve the required automatic spending reduction.</content></paragraph>
<paragraph id="HF56075661AE0426C9C532D955639C234" class="indent1"><num value="3">“(3) </num><heading><inline class="smallCaps">Limitation on reduction</inline>.—</heading><content>No budget account shall be subject to a spending reduction of more than 5 percent of the budgetary resources of the budget account.</content></paragraph></subsection>
<subsection id="H6DBED4F139454178ACED25829DC8ACDE" class="indent0"><num value="c">“(c) </num><heading><inline class="smallCaps">Fiscal Years of the Total Spending Period</inline>.—</heading><chapeau>The total spending limit for each fiscal year shall be as follows:</chapeau>
<paragraph id="HA2B7297A10DD4388BB5D56EBDD1AC5D9" class="indent1"><num value="1">“(1) </num><content>Fiscal year 2022: 18.9 percent of potential GDP.</content></paragraph>
<paragraph id="HE5C9B289437D4DE9A096CD4B7B3185F8" class="indent1"><num value="2">“(2) </num><content>Fiscal year 2023: 18.6 percent of potential GDP.</content></paragraph>
<paragraph id="H7443B5F6164340A1824298ACDF911726" class="indent1"><num value="3">“(3) </num><content>Fiscal year 2024: 18.2 percent of potential GDP.</content></paragraph>
<paragraph id="H1BE8EBD86C384CD099202B92156F83CC" class="indent1"><num value="4">“(4) </num><content>Fiscal year 2025: 18.4 percent of potential GDP.</content></paragraph>
<paragraph id="HFFD7AFE8B22A4CE78226BDB5EA1ABB7F" class="indent1"><num value="5">“(5) </num><content>Fiscal year 2026: 18.4 percent of potential GDP.</content></paragraph>
<paragraph id="H96FBFA36117C44698D16FA02F2ED1710" class="indent1"><num value="6">“(6) </num><content>Fiscal year 2027: 18.2 percent of potential GDP.</content></paragraph>
<paragraph id="H2E7CD526C0C14B5CBE83A679014B68DD" class="indent1"><num value="7">“(7) </num><content>Fiscal year 2028: 18.6 percent of potential GDP.</content></paragraph>
<paragraph id="HF28082044DF94E838C2B1AC310C93DA6" class="indent1"><num value="8">“(8) </num><content>Fiscal year 2029: 17.9 percent of potential GDP.</content></paragraph>
<paragraph id="HD17E2D92AD3D49208D7B1E7EEB5E8F1C" class="indent1"><num value="9">“(9) </num><content>Fiscal year 2030: 17.7 percent of potential GDP.</content></paragraph>
<paragraph id="HC2D9D16DAD6948A4962D076F6F149E2D" class="indent1"><num value="10">“(10) </num><content>Fiscal year 2031 and subsequent fiscal years: 17.5 percent of potential GDP.</content></paragraph></subsection>
<subsection id="HE12D21FFF99243EE9DAE9864D5247726" class="indent0"><num value="d">“(d) </num><heading><inline class="smallCaps">Reduction for Unfunded Federal Mandates</inline>.—</heading><content>The amount determined under subsection (c) with respect to each fiscal year shall be reduced by an amount equal to the amount of the unfunded direct costs with respect to such fiscal year of Federal mandates (as such terms are defined in section 421 of the Congressional Budget Act of 1974 (<ref href="/us/usc/t2/s658">2 U.S.C. 658</ref>)) enacted after the date of the enactment of the Maximizing Americas Prosperity Act of 2019. Such amount shall not be treated as being less than zero with respect to any fiscal year.”</content></subsection></section></quotedContent><inline role="after-quoted-block">.</inline></content></subsection>
<subsection role="instruction" identifier="/us/bill/116/s//s2/b" id="HC3475E1BCB8649589196B74D7E8B5F9A" class="indent0"><num value="b">(b) </num><heading><inline class="smallCaps">Definitions</inline>.—</heading><content>Section 250(c) of the Balanced Budget and Emergency Deficit Control Act of 1985 (<ref href="/us/usc/t2/s900/c">2 U.S.C. 900(c)</ref>) <amendingAction type="amend">is amended</amendingAction> by <amendingAction type="add">adding</amendingAction> at the end the following:
<quotedContent id="id0E89EED9B0834D9E88CF2C8765230B79" styleType="OLC">
<paragraph id="id73CF98F5D8B243B891B730BB5898F2A8" class="indent1"><num value="22">“(22)</num><subparagraph role="definitions" id="id4A9EF2D02E34418593C31B0CA25C7F98" class="inline"><num value="A">(A) </num><content>The term <term>total spending</term> means all budget authority and outlays of the Government excluding net interest.</content></subparagraph>
<subparagraph role="definitions" id="id1D79370091AB492485FDA9AD001CC4E5" class="indent1"><num value="B">“(B) </num><content>The term <term>total spending limit</term> means the maximum permissible total spending of the Government set forth as a percentage of estimated potential GDP specified in section 251(c).</content></subparagraph></paragraph>
<paragraph role="definitions" id="id82937E477BCC4726B8705BDFA286D33F" class="indent1"><num value="23">“(23) </num><content>The term <term>potential GDP</term> means the gross domestic product that would occur if the economy were at full employment, not exceeding the employment level at which inflation would accelerate.”</content></paragraph></quotedContent><inline role="after-quoted-block">.</inline></content></subsection>
<subsection role="instruction" identifier="/us/bill/116/s//s2/c" id="H248736268B3B4E96A926FA47297B55B2" class="indent0"><num value="c">(c) </num><heading><inline class="smallCaps">Conforming Amendments</inline>.—</heading><chapeau>Part C of the Balanced Budget and Emergency Deficit Control Act of 1985 (<ref href="/us/usc/t2/s900/etseq">2 U.S.C. 900 et seq.</ref>) <amendingAction type="amend">is amended</amendingAction>—</chapeau>
<paragraph identifier="/us/bill/116/s//s2/c/1" id="idCB5F491E7D724D869DF64988D2A90F47" class="indent1"><num value="1">(1) </num><chapeau>in section 254 (<ref href="/us/usc/t2/s904">2 U.S.C. 904</ref>)—</chapeau>
<subparagraph identifier="/us/bill/116/s//s2/c/1/A" id="id77E6F5E5961E4E0E86302D89B5F79B76" class="indent2"><num value="A">(A) </num><content>in subsection (a), in the table, by <amendingAction type="insert">inserting</amendingAction> “<quotedText>and spending reduction</quotedText>” after “<quotedText>sequestration</quotedText>” each place it appears;</content></subparagraph>
<subparagraph identifier="/us/bill/116/s//s2/c/1/B" id="id47C68E6BC778415FA99AF4CBE7824424" class="indent2"><num value="B">(B) </num><chapeau>in subsection (c)—</chapeau>
<clause identifier="/us/bill/116/s//s2/c/1/B/i" id="idC61D7788B6694B318736B9CACC70A6B4" class="indent3"><num value="i">(i) </num><content>in the subsection heading, by <amendingAction type="insert">inserting</amendingAction> “<headingText role="subsection" styleType="traditional" class="smallCaps">and Spending Reduction</headingText>” after “<headingText role="subsection" styleType="traditional" class="smallCaps">Sequestration</headingText>”;</content></clause>
<clause identifier="/us/bill/116/s//s2/c/1/B/ii" id="idC7FE218D91E34838994C100146D3F4A3" class="indent3"><num value="ii">(ii) </num><content>in paragraph (1), by <amendingAction type="delete">striking</amendingAction> “<quotedText>discretionary, pay-as-you-go, and deficit sequestration</quotedText>” and <amendingAction type="insert">inserting</amendingAction> “<quotedText>pay-as-you-go and deficit sequestration and regarding spending reduction</quotedText>”;</content></clause>
<clause identifier="/us/bill/116/s//s2/c/1/B/iii" id="idD423F14335E9460AA844EE50074F8527" class="indent3"><num value="iii">(iii) </num><content>by <amendingAction type="delete">striking</amendingAction> paragraph (2) and <amendingAction type="insert">inserting</amendingAction> the following:
<quotedContent id="id6CF45F40CD3D474EB600A8F17383EC73" styleType="OLC">
<paragraph id="idC7692E168549419E91AD391E35C06745" class="indent1"><num value="2">“(2) </num><heading><inline class="smallCaps">Spending reduction report</inline>.—</heading><chapeau>The preview reports shall set forth for the budget year estimates for each of the following:</chapeau>
<subparagraph id="idCB33B0E69B37464D8EA57AADA18D1E24" class="indent2"><num value="A">“(A) </num><content>Estimated total spending.</content></subparagraph>
<subparagraph id="id1F4B43876F7C4E559ECE0114CF2F7098" class="indent2"><num value="B">“(B) </num><content>Estimate of potential GDP.</content></subparagraph>
<subparagraph id="id2B0A57A20A734BF1947A06BC50D6DAB7" class="indent2"><num value="C">“(C) </num><content>The spending reduction necessary to comply with the total spending limit under section 251(c).”</content></subparagraph></paragraph></quotedContent><inline role="after-quoted-block">; </inline></content></clause></subparagraph>
<subparagraph identifier="/us/bill/116/s//s2/c/1/C" id="id74D94E3A0B8F4EACB07082C9D46DA3D6" class="indent2"><num value="C">(C) </num><chapeau>in subsection (e)—</chapeau>
<clause identifier="/us/bill/116/s//s2/c/1/C/i" id="idC614CDD96017471DB0034BAC3EEC7B9C" class="indent3"><num value="i">(i) </num><content>in the subsection heading, by <amendingAction type="insert">inserting</amendingAction> “<headingText role="subsection" styleType="OLC" class="smallCaps">and Spending Reduction</headingText>” after “<headingText role="subsection" styleType="OLC" class="smallCaps">Sequestration</headingText>”; and</content></clause>
<clause identifier="/us/bill/116/s//s2/c/1/C/ii" id="idE3BEBA86621B403DA7D13653A71B39CD" class="indent3"><num value="ii">(ii) </num><content>by <amendingAction type="insert">inserting</amendingAction> “<quotedText>and spending reduction</quotedText>” after “<quotedText>sequestration</quotedText>” each place it appears; and</content></clause></subparagraph>
<subparagraph identifier="/us/bill/116/s//s2/c/1/D" id="idF942BAB9862B4350888E326CCD4CCAF8" class="indent2"><num value="D">(D) </num><chapeau>in subsection (f)—</chapeau>
<clause identifier="/us/bill/116/s//s2/c/1/D/i" id="id0285221E984D432087BB2C6273331D03" class="indent3"><num value="i">(i) </num><content>in the subsection heading, by <amendingAction type="insert">inserting</amendingAction> “<headingText role="subsection" styleType="OLC" class="smallCaps">and Spending Reduction</headingText>” after “<headingText role="subsection" styleType="OLC" class="smallCaps">Sequestration</headingText>”;</content></clause>
<clause identifier="/us/bill/116/s//s2/c/1/D/ii" id="id93B026CB3F4C4875B9C8FE39B9C0E7AD" class="indent3"><num value="ii">(ii) </num><content>in paragraph (1), by <amendingAction type="insert">inserting</amendingAction> “<quotedText>and spending reduction</quotedText>” after “<quotedText>sequestration</quotedText>”;</content></clause>
<clause identifier="/us/bill/116/s//s2/c/1/D/iii" id="idC44AA5ED6A2A4B6CA23880B8D09B7158" class="indent3"><num value="iii">(iii) </num><content>by <amendingAction type="delete">striking</amendingAction> paragraph (2);</content></clause>
<clause identifier="/us/bill/116/s//s2/c/1/D/iv" id="id7C856C8368A04B43A99B9449C2770D46" class="indent3"><num value="iv">(iv) </num><content>by <amendingAction type="redesignate">redesignating</amendingAction> paragraphs (3), (4), and (5) as paragraphs (2), (3), and (4), respectively; and</content></clause>
<clause identifier="/us/bill/116/s//s2/c/1/D/v" id="id57EACDB6B4A248629407A305BDC0CD6D" class="indent3"><num value="v">(v) </num><chapeau>in paragraph (2), as so redesignated—</chapeau>
<subclause identifier="/us/bill/116/s//s2/c/1/D/v/I" id="id5E6B0A1B0B7746DBB763054C1398BB30" class="indent4"><num value="I">(I) </num><content>in the heading, by <amendingAction type="insert">inserting</amendingAction> “<headingText role="paragraph" styleType="OLC" class="smallCaps">and spending reduction </headingText>” before “<headingText role="paragraph" styleType="OLC" class="smallCaps"> reports</headingText>”;</content></subclause>
<subclause identifier="/us/bill/116/s//s2/c/1/D/v/II" id="id480D83463A51452ABE1880C758A29771" class="indent4"><num value="II">(II) </num><content>in the first sentence, by <amendingAction type="insert">inserting</amendingAction> “<quotedText>spending reduction report</quotedText>” after “<quotedText>preview reports</quotedText>”; and</content></subclause>
<subclause identifier="/us/bill/116/s//s2/c/1/D/v/III" id="id304F43DD44DB415595A73D7E7FEC3F7F" class="indent4"><num value="III">(III) </num><content>by <amendingAction type="delete">striking</amendingAction> the second sentence and <amendingAction type="insert">inserting</amendingAction> the following: “<quotedText>In addition, these reports shall contain, for the budget year, for each account to be sequestered or subject to a spending reduction, as the case may be, estimates of the baseline level of sequestrable or reducible budgetary resources and resulting outlays and the amount of budgetary resources to be sequestered or reduced and resulting outlay reductions.</quotedText>”;</content></subclause></clause>
<clause identifier="/us/bill/116/s//s2/c/1/D/vi" id="idB044887E9EA14D649CA0CD5A5A4DB08B" class="indent3"><num value="vi">(vi) </num><content>in paragraph (3), as so redesignated, by <amendingAction type="delete">striking</amendingAction> “<quotedText>sequesterable</quotedText>” and <amendingAction type="insert">inserting</amendingAction> “<quotedText>sequestrable or reducible</quotedText>”; and</content></clause>
<clause identifier="/us/bill/116/s//s2/c/1/D/vii" id="id456C7579E7744C28979F248EF68DC243" class="indent3"><num value="vii">(vii) </num><chapeau>in paragraph (4), as so redesignated—</chapeau>
<subclause identifier="/us/bill/116/s//s2/c/1/D/vii/I" id="id31FDC3AE54B94322949BDFEF9F5FB065" class="indent4"><num value="I">(I) </num><content>by <amendingAction type="insert">inserting</amendingAction> “<quotedText>or spending reduction</quotedText>” after “<quotedText>final sequestration</quotedText>”;</content></subclause>
<subclause identifier="/us/bill/116/s//s2/c/1/D/vii/II" id="id0375B533092942719A4AC8CB48A7AC8B" class="indent4"><num value="II">(II) </num><content>by <amendingAction type="insert">inserting</amendingAction> “<quotedText>or spending reduction</quotedText>” before “<quotedText>is required</quotedText>”; and</content></subclause>
<subclause identifier="/us/bill/116/s//s2/c/1/D/vii/III" id="id45EA8DB3F3E846759C4AC46534917541" class="indent4"><num value="III">(III) </num><content>by <amendingAction type="insert">inserting</amendingAction> “<quotedText>or spending reductions, as the case may be,</quotedText>” after “<quotedText>sequestrations</quotedText>”;</content></subclause></clause></subparagraph></paragraph>
<paragraph identifier="/us/bill/116/s//s2/c/2" id="id67849C8CC6544B8D8B316E2085DE55EF" class="indent1"><num value="2">(2) </num><content>in section 257(a) (<ref href="/us/usc/t2/s907/a">2 U.S.C. 907(a)</ref>), by <amendingAction type="insert">inserting</amendingAction> “<quotedText>total spending,</quotedText>” after “<quotedText>outlays,</quotedText>”; and</content></paragraph>
<paragraph identifier="/us/bill/116/s//s2/c/3" id="idBA33222B2358477E96A4F034C9A9EDA4" class="indent1"><num value="3">(3) </num><chapeau>in section 258C(a)(1) (<ref href="/us/usc/t2/s907d/a/1">2 U.S.C. 907d(a)(1)</ref>)—</chapeau>
<subparagraph identifier="/us/bill/116/s//s2/c/3/A" id="idCD9C7C9B530C4B52884AE7D373FD46DB" class="indent2"><num value="A">(A) </num><content>by <amendingAction type="insert">inserting</amendingAction> “<quotedText>or spending reduction</quotedText>” after “<quotedText>sequestration</quotedText>” each place the term appears; and</content></subparagraph>
<subparagraph identifier="/us/bill/116/s//s2/c/3/B" id="idEEB0CF63DA874BF08F4E0E35861DC4CA" class="indent2"><num value="B">(B) </num><content>by <amendingAction type="delete">striking</amendingAction> “<quotedText>252 or 253</quotedText>” and <amendingAction type="insert">inserting</amendingAction> “<quotedText>251, 252, or 253</quotedText>”.</content></subparagraph></paragraph></subsection>
<subsection role="instruction" identifier="/us/bill/116/s//s2/d" id="H6EC06D773FD343C8ADF15A11280E3A7A" class="indent0"><num value="d">(d) </num><heading><inline class="smallCaps">Table of Contents</inline>.—</heading><content>The table of contents in section 250(a) of the Balanced Budget and Emergency Deficit Control Act of 1985 (<ref href="/us/usc/t2/s900/a">2 U.S.C. 900(a)</ref>) <amendingAction type="amend">is amended</amendingAction> by <amendingAction type="delete">striking</amendingAction> the item relating to section 251 and <amendingAction type="insert">inserting</amendingAction> the following:
<quotedContent id="id98179BE9BEC54CC988E30CE1934AF2F2" styleType="OLC">
<toc>
<referenceItem idref="H46FDD0908B4D4089A71E512FFEC964E4" role="section">
<designator>“Sec.251.</designator>
<label>Total spending limits.”</label>
</referenceItem></toc></quotedContent><inline role="after-quoted-block">.</inline></content></subsection></section>
<section identifier="/us/bill/116/s//s3" id="HDF9085E873F5444491CFF3921504684C"><num value="3">SEC. 3. </num><heading>ALLOCATION FOR EMERGENCIES.</heading>
<subsection role="instruction" identifier="/us/bill/116/s//s3/a" id="H2B1B5375108947F7B79935EBA00CF822" class="indent0"><num value="a">(a) </num><heading><inline class="smallCaps">In General</inline>.—</heading><content>Section 302(a) of the Congressional Budget Act of 1974 (<ref href="/us/usc/t2/s633/a">2 U.S.C. 633(a)</ref>) <amendingAction type="amend">is amended</amendingAction> by <amendingAction type="add">adding</amendingAction> at the end the following new paragraph:
<quotedContent id="H55270719DECD4AC28B33C72505281DFF" styleType="OLC">
<paragraph id="H3155491468FF471E88571AEA73808596" class="indent1"><num value="6">“(6) </num><heading><inline class="smallCaps">Allocation to the committees on appropriations for emergencies</inline>.—</heading><content>Of the amounts of new budget authority and outlays allocated to the Committees on Appropriations for the first fiscal year of the concurrent resolution on the budget, 1 percent shall be designated as for emergencies and may be used for no other purpose.”</content></paragraph></quotedContent><inline role="after-quoted-block">.</inline></content></subsection>
<subsection role="instruction" identifier="/us/bill/116/s//s3/b" id="HC086A9F8D630433F8ABFF5EFAFCCEE28" class="indent0"><num value="b">(b) </num><heading><inline class="smallCaps">Budget of the President</inline>.—</heading><content><ref href="/us/usc/t31/s1105/a/14">Section 1105(a)(14) of title 31, United States Code</ref>, <amendingAction type="amend">is amended</amendingAction> by <amendingAction type="insert">inserting</amendingAction> “<quotedText>, including an amount for emergency spending not less than 1 percent of all discretionary spending for that year</quotedText>” before the period.</content></subsection></section></main></bill>

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

View File

@@ -0,0 +1,177 @@
<?xml version="1.0" encoding="UTF-8"?><?xml-stylesheet type="text/css" href="uslm.css"?><bill xmlns="http://schemas.gpo.gov/xml/uslm" xmlns:dc="http://purl.org/dc/elements/1.1/" xmlns:html="http://www.w3.org/1999/xhtml" xmlns:uslm="http://schemas.gpo.gov/xml/uslm" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://schemas.gpo.gov/xml/uslm uslm-2.1.0.xsd" xml:lang="en" id="A1" meta="slc-id:S1-KIN20322-7S9-WL-RB1"><!--Disclaimer: Legislative measures that include compacts or other non-standard data structures will require additional modeling and may contain inconsistencies in the converted USLM XML.--> <meta>
<dc:title>116 S 3874 IS: Making additional supplemental appropriations for disaster relief requirements for the fiscal year ending September 30, 2020, and for other purposes.</dc:title>
<dc:type>Senate Bill</dc:type>
<docNumber>3874</docNumber>
<citableAs>116 S 3874 IS</citableAs>
<citableAs>116s3874is</citableAs>
<citableAs>116 S. 3874 IS</citableAs>
<docStage>Introduced in Senate</docStage>
<currentChamber>SENATE</currentChamber>
<dc:creator>United States Senate</dc:creator>
<processedBy>GPO XPub Bill to USLM Generator, version 0.5 + manual changes</processedBy>
<processedDate>2024-09-09</processedDate>
<dc:publisher>United States Government Publishing Office</dc:publisher>
<dc:format>text/xml</dc:format>
<dc:language>EN</dc:language>
<dc:rights>Pursuant to Title 17 Section 105 of the United States Code, this file is not subject to copyright protection and is in the public domain.</dc:rights>
<congress>116</congress>
<session>2</session>
<publicPrivate>public</publicPrivate></meta>
<preface>
<slugLine>•S 3874 IS</slugLine>
<distributionCode display="yes">II</distributionCode>
<congress value="116">116th CONGRESS</congress>
<session value="2">2d Session</session>
<dc:type>S. </dc:type>
<docNumber>3874</docNumber>
<dc:title>Making additional supplemental appropriations for disaster relief requirements for the fiscal year ending September 30, 2020, and for other purposes.</dc:title>
<currentChamber value="SENATE">IN THE SENATE OF THE UNITED STATES</currentChamber>
<action><date date="2020-06-03"><inline class="smallCaps">June </inline>3, 2020</date><actionDescription><sponsor senateId="S229">Mrs. <inline class="smallCaps">Murray</inline></sponsor> (for herself, <cosponsor senateId="S394">Ms. <inline class="smallCaps">Smith</inline></cosponsor>, <cosponsor senateId="S366">Ms. <inline class="smallCaps">Warren</inline></cosponsor>, <cosponsor senateId="S309">Mr. <inline class="smallCaps">Casey</inline></cosponsor>, <cosponsor senateId="S331">Mrs. <inline class="smallCaps">Gillibrand</inline></cosponsor>, <cosponsor senateId="S388">Ms. <inline class="smallCaps">Hassan</inline></cosponsor>, <cosponsor senateId="S362">Mr. <inline class="smallCaps">Kaine</inline></cosponsor>, <cosponsor senateId="S402">Ms. <inline class="smallCaps">Rosen</inline></cosponsor>, <cosponsor senateId="S313">Mr. <inline class="smallCaps">Sanders</inline></cosponsor>, <cosponsor senateId="S354">Ms. <inline class="smallCaps">Baldwin</inline></cosponsor>, <cosponsor senateId="S324">Mrs. <inline class="smallCaps">Shaheen</inline></cosponsor>, <cosponsor senateId="S253">Mr. <inline class="smallCaps">Durbin</inline></cosponsor>, <cosponsor senateId="S259">Mr. <inline class="smallCaps">Reed</inline></cosponsor>, <cosponsor senateId="S353">Mr. <inline class="smallCaps">Schatz</inline></cosponsor>, <cosponsor senateId="S370">Mr. <inline class="smallCaps">Booker</inline></cosponsor>, <cosponsor senateId="S247">Mr. <inline class="smallCaps">Wyden</inline></cosponsor>, <cosponsor senateId="S361">Ms. <inline class="smallCaps">Hirono</inline></cosponsor>, <cosponsor senateId="S322">Mr. <inline class="smallCaps">Merkley</inline></cosponsor>, and <cosponsor senateId="S393">Mr. <inline class="smallCaps">Jones</inline></cosponsor>) introduced the following bill; which was read twice and referred to the <committee committeeId="SSHR00">Committee on Health, Education, Labor, and Pensions</committee></actionDescription></action></preface>
<main styleType="traditional" id="H1B967B746930458BA46DB3018718956C"><longTitle><docTitle>A BILL</docTitle><officialTitle>Making additional supplemental appropriations for disaster relief requirements for the fiscal year ending September 30, 2020, and for other purposes.</officialTitle></longTitle><enactingFormula><i>Be it enacted by the Senate and House of Representatives of the United States of America in Congress assembled, </i></enactingFormula>
<section identifier="/us/bill/116/s/3874/s1" id="id4E974C3E86A44EA593BFCAF3B218BA6B"><num value="1"><inline class="smallCaps">Section 1. </inline></num><content class="inline">The following sums are appropriated, out of any money in the Treasury not otherwise appropriated, for the fiscal year ending September 30, 2020, and for other purposes, namely:</content></section>
<section id="LEXA-Repairid1aa6e64f41104635bb89f75ff41398cf">
<appropriations level="major" id="id20C3D26DAC474FB9BC8054E9F7AB99BA"><heading> DEPARTMENT OF HEALTH AND HUMAN SERVICES</heading></appropriations>
<appropriations level="intermediate" id="HECF9C733707449CB9DF933D033CEBACB"><heading>Administration for Children and Families</heading></appropriations>
<appropriations level="small" id="H6C98D253AC454D509B915FD655C2B4D5"><heading><inline class="smallCaps">payments to states for the child care and development block grant</inline></heading></appropriations>
<appropriations level="small" id="H8CCDBB656D5C484FA9BB5263D2C7020F"><content class="block">For an additional amount for “Payments to States for the Child Care and Development Block Grant”, $50,000,000,000, to remain available until September 30, 2021, for necessary expenses to carry out the Child Care Stabilization Fund grants program, as authorized by section 2 of this Act: <proviso><i> Provided</i>, That such funds shall be available without regard to the requirements in subparagraphs (C) through (E) of section 658E(c)(3) or section 658G of the Child Care and Development Block Grant Act of 1990: </proviso><proviso><i> Provided further</i>, That funds appropriated under this heading in this Act may be made available to restore amounts, either directly or through reimbursement, for obligations incurred prior to the date of enactment of this Act for the purposes provided in this Act: </proviso><proviso><i> Provided further</i>, That such amount is designated by Congress as being for an emergency requirement pursuant to section 251(b)(2)(A)(i) of the Balanced Budget and Emergency Deficit Control Act of 1985 and shall be available only if the President subsequently so designates such amount and transmits such designation to Congress.</proviso></content></appropriations></section>
<section identifier="/us/bill/116/s/3874/s2" id="id8abe0d456e6b44798d1c94190bc89888"><num value="2"><inline class="smallCaps">Sec. 2. </inline></num><subsection identifier="/us/bill/116/s/3874/s2/a" id="id37fc97d071774845b234c5a413e8b870" class="inline"><num value="a">(a) </num><heading><inline class="smallCaps">Definitions</inline>.—</heading><chapeau>In this section:</chapeau>
<paragraph role="definitions" identifier="/us/bill/116/s/3874/s2/a/1" id="id30af4b2a446c44d189ffee54123e2f40" class="indent1"><num value="1">(1) </num><heading><inline class="smallCaps">CCDBG terms</inline>.—</heading><content>The terms “<term>eligible child care provider</term>”, “<term>Indian tribe</term>”, “<term>lead agency</term>”, “<term>tribal organization</term>”, “<term>Secretary</term>”, and “<term>State</term>” have the meanings given the terms in section 658P of the Child Care and Development Block Grant Act of 1990 (<ref href="/us/usc/t42/s9858n">42 U.S.C. 9858n</ref>) except as otherwise provided in this section.</content></paragraph>
<paragraph role="definitions" identifier="/us/bill/116/s/3874/s2/a/2" id="id030394fe7fb54c77ba73383c61e6e81b" class="indent1"><num value="2">(2) </num><heading><inline class="smallCaps">COVID19 public health emergency</inline>.—</heading><content>The term “<term>COVID19 public health emergency</term>” means the public health emergency declared by the Secretary of Health and Human Services under section 319 of the Public Health Service Act (<ref href="/us/usc/t42/s247d">42 U.S.C. 247d</ref>) on January 31, 2020, with respect to COVID19, including any renewal of the declaration.</content></paragraph></subsection>
<subsection identifier="/us/bill/116/s/3874/s2/b" id="idb845e09af46d4a9195873c6aa772379c" class="indent0"><num value="b">(b) </num><heading><inline class="smallCaps">Grants</inline>.—</heading><content>From funds appropriated to carry out this section and under the authority of section 658O of the Child Care and Development Block Grant Act of 1990 (<ref href="/us/usc/t42/s9858m">42 U.S.C. 9858m</ref>) and this section, the Secretary shall establish a Child Care Stabilization Fund grants program, through which the Secretary shall award child care stabilization grants to the lead agency of each State (as defined in that section 658O), territory described in subsection (a)(1) of such section, Indian tribe, and tribal organization from allotments and payments made under subsection (c)(2), not later than 30 days after the date of enactment of this Act. </content></subsection>
<subsection identifier="/us/bill/116/s/3874/s2/c" id="idbd2db6494c92477b85077bab85b420f8" class="indent0"><num value="c">(c) </num><heading><inline class="smallCaps">Secretarial Reservation and Allotments</inline>.—</heading>
<paragraph identifier="/us/bill/116/s/3874/s2/c/1" id="idd1792b3505954ac7b1d2e83fcf3e0558" class="indent1"><num value="1">(1) </num><heading><inline class="smallCaps">Reservation</inline>.—</heading><content>The Secretary shall reserve not more than 1 percent of the funds appropriated to carry out this section for the Federal administration of grants described in subsection (b).</content></paragraph>
<paragraph identifier="/us/bill/116/s/3874/s2/c/2" id="idd51f8099c66b426bad0edf7f8395a7bb" class="indent1"><num value="2">(2) </num><heading><inline class="smallCaps">Allotments</inline>.—</heading><content>The Secretary shall use the remainder of the funds appropriated to carry out this section to award allotments to States, as defined in section 658O of the Child Care Development Block Grant Act of 1990 (<ref href="/us/usc/t42/s9858m">42 U.S.C. 9858m</ref>), and payments to territories, Indian tribes, and tribal organizations in accordance with paragraphs (1) and (2) of subsection (a), and subsection (b), of section 658O of the Child Care and Development Block Grant Act of 1990 (<ref href="/us/usc/t42/s9858m">42 U.S.C. 9858m</ref>).</content></paragraph></subsection>
<subsection identifier="/us/bill/116/s/3874/s2/d" id="idec98c6466873428bbe659b61fb49dfc5" class="indent0"><num value="d">(d) </num><heading><inline class="smallCaps">State Reservations and Subgrants</inline>.—</heading>
<paragraph identifier="/us/bill/116/s/3874/s2/d/1" id="idfc9611e3b1bf4195be7d8cb26ae86d7c" class="indent1"><num value="1">(1) </num><heading><inline class="smallCaps">Reservation</inline>.—</heading><chapeau>A lead agency for a State that receives a child care stabilization grant pursuant to subsection (b) shall reserve not more than 10 percent of such grant funds—</chapeau>
<subparagraph identifier="/us/bill/116/s/3874/s2/d/1/A" id="ide60a02dd842d4f55acec36272ec26ff1" class="indent2"><num value="A">(A) </num><content>to administer subgrants made to qualified child care providers under paragraph (2), including to carry out data systems building and other activities that enable the disbursement of payments of such subgrants;</content></subparagraph>
<subparagraph identifier="/us/bill/116/s/3874/s2/d/1/B" id="id57a2a3d32c314bb28738d455595b7d02" class="indent2"><num value="B">(B) </num><content>to provide technical assistance and support in applying for and accessing the subgrant opportunity under paragraph (2), to eligible child care providers (including to family child care providers, group home child care providers, and other non-center-based child care providers and providers with limited administrative capacity), either directly or through resource and referral agencies or staffed family child care networks;</content></subparagraph>
<subparagraph identifier="/us/bill/116/s/3874/s2/d/1/C" id="id765f1d5fc2d84ed9addc333dbfaa07b0" class="indent2"><num value="C">(C) </num><content>to publicize the availability of subgrants under this section and conduct widespread outreach to eligible child care providers, including family child care providers, group home child care providers, and other non-center-based child care providers and providers with limited administrative capacity, either directly or through resource and referral agencies or staffed family child care networks, to ensure eligible child care providers are aware of the subgrants available under this section; </content></subparagraph>
<subparagraph identifier="/us/bill/116/s/3874/s2/d/1/D" id="idaaf6a456f6554e2f8afe3721bc7a1dd3" class="indent2"><num value="D">(D) </num><content>to carry out the reporting requirements described in subsection (f); and</content></subparagraph>
<subparagraph identifier="/us/bill/116/s/3874/s2/d/1/E" id="id9169DA55B0C348E1A1ADB35A09C22BD1" class="indent2"><num value="E">(E) </num><content>to carry out activities to improve the supply and quality of child care during and after the COVID19 public health emergency, such as conducting community needs assessments, carrying out child care cost modeling, making improvements to child care facilities, increasing access to licensure or participation in the States tiered quality rating system, and carrying out other activities described in section 658G(b) of the Child Care and Development Block Grant Act of 1990 (<ref href="/us/usc/t42/s9858e/b">42 U.S.C. 9858e(b)</ref>), to the extent that the lead agency can carry out activities described in this subparagraph without preventing the lead agency from fully conducting the activities described in subparagraphs (A) through (D). </content></subparagraph></paragraph>
<paragraph identifier="/us/bill/116/s/3874/s2/d/2" id="idf37609e4e2b34705a1b93aedfcf2387e" class="indent1"><num value="2">(2) </num><heading><inline class="smallCaps">Subgrants to qualified child care providers</inline>.—</heading>
<subparagraph identifier="/us/bill/116/s/3874/s2/d/2/A" id="idbd8c8b2b914445a9b6e9dc59f2b99937" class="indent2"><num value="A">(A) </num><heading><inline class="smallCaps">In general</inline>.—</heading><content>The lead agency shall use the remainder of the grant funds awarded pursuant to subsection (b) to make subgrants to qualified child care providers described in subparagraph (B), to support the stability of the child care sector during and after the COVID19 public health emergency. The lead agency shall provide the subgrant funds in advance of provider expenditures for costs described in subsection (e), except as provided in subsection (e)(2).</content></subparagraph>
<subparagraph identifier="/us/bill/116/s/3874/s2/d/2/B" id="id45f01ff18e9d419b933d77e986357ec7" class="indent2"><num value="B">(B) </num><heading><inline class="smallCaps">Qualified child care provider</inline>.—</heading><chapeau>To be qualified to receive a subgrant under this paragraph, a provider shall be an eligible child care provider that—</chapeau>
<clause identifier="/us/bill/116/s/3874/s2/d/2/B/i" id="id2d1fe5400b6e404dad43060bf015cfa9" class="indent3"><num value="i">(i) </num><content>was providing child care services on or before March 1, 2020; and</content></clause>
<clause identifier="/us/bill/116/s/3874/s2/d/2/B/ii" id="id3785aabc7ec0438a9b69653a1a41e3ab" class="indent3"><num value="ii">(ii) </num><chapeau>on the date of submission of an application for the subgrant, was either—</chapeau>
<subclause identifier="/us/bill/116/s/3874/s2/d/2/B/ii/I" id="id2183011b55474897845aaa3a638d37bb" class="indent4"><num value="I">(I) </num><content>open and available to provide child care services; or</content></subclause>
<subclause identifier="/us/bill/116/s/3874/s2/d/2/B/ii/II" id="id6b5b2e951aaa47e8aebc9dffa2736172" class="indent4"><num value="II">(II) </num><content>closed due to the COVID19 public health emergency.</content></subclause></clause></subparagraph>
<subparagraph identifier="/us/bill/116/s/3874/s2/d/2/C" id="id08f13224a8894b30be701a0ac210b0a5" class="indent2"><num value="C">(C) </num><heading><inline class="smallCaps">Subgrant amount</inline>.—</heading><chapeau>The lead agency shall make subgrants, from amounts awarded pursuant to subsection (b), to qualified child care providers, and the amount of such a subgrant to such a provider shall—</chapeau>
<clause identifier="/us/bill/116/s/3874/s2/d/2/C/i" id="idc0acc5f01f3c4229ae3f8f10e6b69fdc" class="indent3"><num value="i">(i) </num><content>be based on the providers stated average operating expenses during the period (of not longer than 6 months) before March 1, 2020, and at minimum cover such operating expenses for the intended length of the subgrant;</content></clause>
<clause identifier="/us/bill/116/s/3874/s2/d/2/C/ii" id="id7705a7928c6e471bb3404e3083dba2fb" class="indent3"><num value="ii">(ii) </num><content>account for increased costs of providing or preparing to provide child care as a result of the COVID19 public health emergency, such as provider and employee compensation and existing benefits (existing as of March 1, 2020) and the implementation of new practices related to sanitization, group size limits, and social distancing;</content></clause>
<clause identifier="/us/bill/116/s/3874/s2/d/2/C/iii" id="id55195cc1dc8d4efd953a8f5a417c4206" class="indent3"><num value="iii">(iii) </num><content>be adjusted for payments or reimbursements made to an eligible child care provider to carry out the Child Care and Development Block Grant Act of 1990 (<ref href="/us/usc/t42/s9857/etseq">42 U.S.C. 9857 et seq.</ref>) or the Head Start Act (<ref href="/us/usc/t42/s9831/etseq">42 U.S.C. 9831 et seq.</ref>); and</content></clause>
<clause identifier="/us/bill/116/s/3874/s2/d/2/C/iv" id="id000e9e36c5d84b87b7b696800228fe79" class="indent3"><num value="iv">(iv) </num><content>be adjusted for payments or reimbursements made to an eligible child care provider through the Paycheck Protection Program set forth in section 7(a)(36) of the Small Business Act (<ref href="/us/usc/t15/s636/a/36">15 U.S.C. 636(a)(36)</ref>), as added by section 1102 of the Coronavirus Aid, Relief, and Economic Security Act (<ref href="/us/pl/116/136">Public Law 116136</ref>).</content></clause></subparagraph>
<subparagraph identifier="/us/bill/116/s/3874/s2/d/2/D" id="idd620fc05e4a346aabca26aabfdb2e884" class="indent2"><num value="D">(D) </num><heading><inline class="smallCaps">Application</inline>.—</heading>
<clause identifier="/us/bill/116/s/3874/s2/d/2/D/i" id="id12b81fd93df54150a3f7f6fd03fb52c4" class="indent3"><num value="i">(i) </num><heading><inline class="smallCaps">Eligibility</inline>.—</heading><chapeau>To be eligible to receive a subgrant under this paragraph, a child care provider shall submit an application to a lead agency at such time and in such manner as the lead agency may require. Such application shall include—</chapeau>
<subclause identifier="/us/bill/116/s/3874/s2/d/2/D/i/I" id="id6e6149ee4e8a4fb2be9dfdaec19ad255" class="indent4"><num value="I">(I) </num><content>a good-faith certification that the ongoing operations of the child care provider have been impacted as a result of the COVID19 public health emergency;</content></subclause>
<subclause identifier="/us/bill/116/s/3874/s2/d/2/D/i/II" id="id20ef1b71ec494fb8a1ef4f5ee4d668c4" class="indent4"><num value="II">(II) </num><chapeau>for a provider described in subparagraph (B)(ii)(I), an assurance that, for the duration of the COVID19 public health emergency—</chapeau>
<item identifier="/us/bill/116/s/3874/s2/d/2/D/i/II/aa" id="id2079192126d542d38348d5144dde7be4" class="indent5"><num value="aa">(aa) </num><chapeau>the provider will give priority for available slots (including slots that are only temporarily available) to—</chapeau>
<subitem identifier="/us/bill/116/s/3874/s2/d/2/D/i/II/aa/AA" id="id4e6869ea41e94d969b92d8327a0d9d15" class="indent6"><num value="AA">(AA) </num><content>children of essential workers (such as health care sector employees, emergency responders, sanitation workers, farmworkers, child care employees, and other workers determined to be essential during the response to coronavirus by public officials), children of workers whose places of employment require their attendance, children experiencing homelessness, children with disabilities, children at risk of child abuse or neglect, and children in foster care, in States where stay-at-home or related orders are in effect; or</content></subitem>
<subitem identifier="/us/bill/116/s/3874/s2/d/2/D/i/II/aa/BB" id="id9b74f8d008fe4b4a9fa2281d06b1055f" class="indent6"><num value="BB">(BB) </num><content>children of workers whose places of employment require their attendance, children experiencing homelessness, children with disabilities, children at risk of child abuse or neglect, children in foster care, and children whose parents are in school or a training program, in States where stay-at-home or related orders are not in effect;</content></subitem></item>
<item identifier="/us/bill/116/s/3874/s2/d/2/D/i/II/bb" id="ide2f219f8ddeb430bb8f78573a8c560c4" class="indent5"><num value="bb">(bb) </num><content>the provider will implement policies in line with guidance from the Centers for Disease Control and Prevention and the corresponding State and local authorities, and in accordance with State and local orders, for child care providers that remain open, including guidance on sanitization practices, group size limits, and social distancing;</content></item>
<item identifier="/us/bill/116/s/3874/s2/d/2/D/i/II/cc" id="id32002f29efd64fb5a018504fa526a752" class="indent5"><num value="cc">(cc) </num><content>for each employee, the provider will pay the full compensation described in subsection (e)(1)(C), including any benefits, that was provided to the employee as of March 1, 2020 (referred to in this clause as “full compensation”), and will not take any action that reduces the weekly amount of the employees compensation below the weekly amount of full compensation, or that reduces the employees rate of compensation below the rate of full compensation; and </content></item>
<item identifier="/us/bill/116/s/3874/s2/d/2/D/i/II/dd" id="ida741c1a095c74d7cb203a253b07287c3" class="indent5"><num value="dd">(dd) </num><content>the provider will provide relief from copayments and tuition payments for the families enrolled in the providers program and prioritize such relief for families struggling to make either type of payment;</content></item></subclause>
<subclause identifier="/us/bill/116/s/3874/s2/d/2/D/i/III" id="idf79266df6708443e9dff913da28e4b70" class="indent4"><num value="III">(III) </num><chapeau>for a provider described in subparagraph (B)(ii)(II), an assurance that—</chapeau>
<item identifier="/us/bill/116/s/3874/s2/d/2/D/i/III/aa" id="id43aae688364247e7aaf38fea3ee3b208" class="indent5"><num value="aa">(aa) </num><content>for the duration of the providers closure due to the COVID19 public health emergency, for each employee, the provider will pay full compensation, and will not take any action that reduces the weekly amount of the employees compensation below the weekly amount of full compensation, or that reduces the employees rate of compensation below the rate of full compensation;</content></item>
<item identifier="/us/bill/116/s/3874/s2/d/2/D/i/III/bb" id="id14d85e7fafc2479ab7d6289afeaeb2b3" class="indent5"><num value="bb">(bb) </num><content>children enrolled as of March 1, 2020, will maintain their slots, unless their families choose to disenroll the children; </content></item>
<item identifier="/us/bill/116/s/3874/s2/d/2/D/i/III/cc" id="id648e458564d2496bb355b6189c15247f" class="indent5"><num value="cc">(cc) </num><content>for the duration of the providers closure due to the COVID19 public health emergency, the provider will provide relief from copayments and tuition payments for the families enrolled in the providers program and prioritize such relief for families struggling to make either type of payment; and</content></item>
<item identifier="/us/bill/116/s/3874/s2/d/2/D/i/III/dd" id="id1e9eb92acc914354a338006f52cd7ca2" class="indent5"><num value="dd">(dd) </num><content>the provider will resume operations when the provider is able to safely implement policies in line with guidance from the Centers for Disease Control and Prevention and the corresponding State and local authorities, and in accordance with State and local orders;</content></item></subclause>
<subclause identifier="/us/bill/116/s/3874/s2/d/2/D/i/IV" id="idf2b2c07ccfd644888120f8f01dc19f7d" class="indent4"><num value="IV">(IV) </num><chapeau>information about the child care providers—</chapeau>
<item identifier="/us/bill/116/s/3874/s2/d/2/D/i/IV/aa" id="id0183eea6f20e4cf39867763f9fcac1f2" class="indent5"><num value="aa">(aa) </num><content>program characteristics sufficient to allow the lead agency to establish the child care providers priority status, as described in subparagraph (F);</content></item>
<item identifier="/us/bill/116/s/3874/s2/d/2/D/i/IV/bb" id="id6d873ea28124466f9f06fe2ba53ef36d" class="indent5"><num value="bb">(bb) </num><content>program operational status on the date of submission of the application;</content></item>
<item identifier="/us/bill/116/s/3874/s2/d/2/D/i/IV/cc" id="id02d63fd8cde94a1da9e449f47f0bb48f" class="indent5"><num value="cc">(cc) </num><content>type of program, including whether the program is a center-based child care, family child care, group home child care, or other non-center-based child care type program;</content></item>
<item identifier="/us/bill/116/s/3874/s2/d/2/D/i/IV/dd" id="id8382219f676a4cc2b7e734e55fac108d" class="indent5"><num value="dd">(dd) </num><content>total enrollment on the date of submission of the application and total capacity as allowed by the State; and</content></item>
<item identifier="/us/bill/116/s/3874/s2/d/2/D/i/IV/ee" id="idaf700531dae440448a6b6285b784e742" class="indent5"><num value="ee">(ee) </num><content>receipt of assistance, and amount of assistance, through a payment or reimbursement described in subparagraph (C)(iv), and the time period for which the assistance was made; </content></item></subclause>
<subclause identifier="/us/bill/116/s/3874/s2/d/2/D/i/V" id="id512425086fb0405d88ff58d539abf31a" class="indent4"><num value="V">(V) </num><content>information necessary to determine the amount of the subgrant, such as information about the providers stated average operating expenses over the period before March 1, 2020, described in subparagraph (C)(i); and</content></subclause>
<subclause identifier="/us/bill/116/s/3874/s2/d/2/D/i/VI" id="id3e709698f4c24f598fd6113e70c68353" class="indent4"><num value="VI">(VI) </num><content>such other limited information as the lead agency shall determine to be necessary to make subgrants to qualified child care providers.</content></subclause></clause>
<clause identifier="/us/bill/116/s/3874/s2/d/2/D/ii" id="idb1ef90f83295444db90f3a29c17ec646" class="indent3"><num value="ii">(ii) </num><heading><inline class="smallCaps">Frequency</inline>.—</heading><content>The lead agency shall accept and process applications submitted under this subparagraph on a rolling basis. </content></clause>
<clause identifier="/us/bill/116/s/3874/s2/d/2/D/iii" id="id0089c7f0a1ce40169d622a81772455ef" class="indent3"><num value="iii">(iii) </num><heading><inline class="smallCaps">Updates</inline>.—</heading><chapeau>The lead agency shall—</chapeau>
<subclause identifier="/us/bill/116/s/3874/s2/d/2/D/iii/I" id="id577d9a47008a4c44b77bb830e976cdcb" class="indent4"><num value="I">(I) </num><content>at least once a month, verify by obtaining a self-attestation from each qualified child care provider that received such a subgrant from the agency, whether the provider is open and available to provide child care services or is closed due to the COVID19 public health emergency; </content></subclause>
<subclause identifier="/us/bill/116/s/3874/s2/d/2/D/iii/II" id="id2c834ae5e4e344a7b99a644885accf20" class="indent4"><num value="II">(II) </num><content>allow the qualified child care provider to update the information provided in a prior application; and</content></subclause>
<subclause identifier="/us/bill/116/s/3874/s2/d/2/D/iii/III" id="id4fceafaee5734f659fe719024bf50864" class="indent4"><num value="III">(III) </num><content>adjust the qualified child care providers subgrant award as necessary, based on changes to the application information, including changes to the providers operational status.</content></subclause></clause>
<clause identifier="/us/bill/116/s/3874/s2/d/2/D/iv" id="id960e6dd28edd4c9cbc911a62fb49712e" class="indent3"><num value="iv">(iv) </num><heading><inline class="smallCaps">Existing applications</inline>.—</heading><content>If a lead agency has established and implemented a grant program for child care providers that is in effect on the date of enactment of this Act, and an eligible child care provider has already submitted an application for such a grant to the lead agency containing the information specified in clause (i), the lead agency shall treat that application as an application submitted under this subparagraph. If an eligible child care provider has already submitted such an application containing part of the information specified in clause (i), the provider may submit to the lead agency an abbreviated application that contains the remaining information, and the lead agency shall treat the 2 applications as an application submitted under this subparagraph.</content></clause></subparagraph>
<subparagraph identifier="/us/bill/116/s/3874/s2/d/2/E" id="id8e5080de9a904e5490bc98887bedb01d" class="indent2"><num value="E">(E) </num><heading><inline class="smallCaps">Materials</inline>.—</heading>
<clause identifier="/us/bill/116/s/3874/s2/d/2/E/i" id="id0BE8290D4D8744119BF62DDD15B205B0" class="indent3"><num value="i">(i) </num><heading><inline class="smallCaps">In general</inline>.—</heading><content>The lead agency shall provide the materials and other resources related to such subgrants, including a notification of subgrant opportunities and application materials, to qualified child care providers in the most commonly spoken languages in the State. </content></clause>
<clause identifier="/us/bill/116/s/3874/s2/d/2/E/ii" id="id065DCE277FB94F49A269D12852A42A05" class="indent3"><num value="ii">(ii) </num><heading><inline class="smallCaps">Application</inline>.—</heading><content>The application shall be accessible on the website of the lead agency within 30 days after the lead agency receives grant funds awarded pursuant to subsection (b) and shall be accessible to all eligible child care providers, including family child care providers, group home child care providers, and other non-center-based child care providers and providers with limited administrative capacity.</content></clause></subparagraph>
<subparagraph identifier="/us/bill/116/s/3874/s2/d/2/F" id="id0f148221bd9d4e2e9940d998f826bdcd" class="indent2"><num value="F">(F) </num><heading><inline class="smallCaps">Priority</inline>.—</heading><chapeau>In making subgrants under this section, the lead agency shall give priority to qualified child care providers that, prior to or on March 1, 2020—</chapeau>
<clause identifier="/us/bill/116/s/3874/s2/d/2/F/i" id="id8d6446a9a9cf4e0e853864004566ee23" class="indent3"><num value="i">(i) </num><content>provided child care during nontraditional hours;</content></clause>
<clause identifier="/us/bill/116/s/3874/s2/d/2/F/ii" id="id06bab06e83f646e6a8472c4ef0d9607f" class="indent3"><num value="ii">(ii) </num><content>served dual language learners, children with disabilities, children experiencing homelessness, children in foster care, children from low-income families, or infants and toddlers;</content></clause>
<clause identifier="/us/bill/116/s/3874/s2/d/2/F/iii" id="id0dd96787314047e2815ec0f53ff5db13" class="indent3"><num value="iii">(iii) </num><content>served a high proportion of children whose families received subsidies under the Child Care and Development Block Grant Act of 1990 (<ref href="/us/usc/t42/s9857/etseq">42 U.S.C. 9857 et seq.</ref>) for the child care; or</content></clause>
<clause identifier="/us/bill/116/s/3874/s2/d/2/F/iv" id="idd0828425a44745a78bbfbf6ed3d84646" class="indent3"><num value="iv">(iv) </num><content>operated in communities, including rural communities, with a low supply of child care.</content></clause></subparagraph>
<subparagraph identifier="/us/bill/116/s/3874/s2/d/2/G" id="idD47BC07C8C9C4BAC848C46DC1BC47337" class="indent2"><num value="G">(G) </num><heading><inline class="smallCaps">Providers receiving other assistance</inline>.—</heading><content>The lead agency, in determining whether a provider is a qualified child care provider, shall not take into consideration receipt of a payment or reimbursement described in clause (iii) or (iv) of subparagraph (C).</content></subparagraph>
<subparagraph identifier="/us/bill/116/s/3874/s2/d/2/H" id="idb9c868139c8a4c1fae521e20e0b487e7" class="indent2"><num value="H">(H) </num><heading><inline class="smallCaps">Awards</inline>.—</heading><content>The lead agency shall equitably make subgrants under this paragraph to center-based child care providers, family child care providers, group home child care providers, and other non-center-based child care providers, such that qualified child care providers are able to access the subgrant opportunity under this paragraph regardless of the providers setting, size, or administrative capacity.</content></subparagraph>
<subparagraph identifier="/us/bill/116/s/3874/s2/d/2/I" id="idca810eaff5124e4188733f30d66ef96c" class="indent2"><num value="I">(I) </num><heading><inline class="smallCaps">Obligation</inline>.—</heading><content>The lead agency shall obligate at least 50 percent of funds available to carry out this section for subgrants described in this paragraph, by December 31, 2020.</content></subparagraph></paragraph></subsection>
<subsection identifier="/us/bill/116/s/3874/s2/e" id="id1e769c29b30e477c9956f4442504f240" class="indent0"><num value="e">(e) </num><heading><inline class="smallCaps">Uses of Funds</inline>.—</heading>
<paragraph identifier="/us/bill/116/s/3874/s2/e/1" id="idf4fe6527506f4e308a79ac17da10e665" class="indent1"><num value="1">(1) </num><heading><inline class="smallCaps">In general</inline>.—</heading><chapeau>A qualified child care provider that receives funds through such a subgrant may use the funds for the costs of—</chapeau>
<subparagraph identifier="/us/bill/116/s/3874/s2/e/1/A" id="ida57ebee6b2824b129375cf8f495c098b" class="indent2"><num value="A">(A) </num><content>payroll;</content></subparagraph>
<subparagraph identifier="/us/bill/116/s/3874/s2/e/1/B" id="id13394349f1464ea18968671ae3a83cc9" class="indent2"><num value="B">(B) </num><content>employee benefits, including group health plan benefits during periods of paid sick, medical, or family leave, and insurance premiums;</content></subparagraph>
<subparagraph identifier="/us/bill/116/s/3874/s2/e/1/C" id="ida1e3cd5dad734377a9bb41753162cf7d" class="indent2"><num value="C">(C) </num><content>employee salaries or similar compensation, including any income or other compensation to a sole proprietor or independent contractor that is a wage, commission, income, net earnings from self-employment, or similar compensation; </content></subparagraph>
<subparagraph identifier="/us/bill/116/s/3874/s2/e/1/D" id="id95f6625bd9ee4639b0f20419e60fb69e" class="indent2"><num value="D">(D) </num><content>payment on any mortgage obligation;</content></subparagraph>
<subparagraph identifier="/us/bill/116/s/3874/s2/e/1/E" id="id3a3f317c34d743d29b5923cf37eb6b01" class="indent2"><num value="E">(E) </num><content>rent (including rent under a lease agreement);</content></subparagraph>
<subparagraph identifier="/us/bill/116/s/3874/s2/e/1/F" id="idc3f9daa125f64945a8ee4b5d2f1faab9" class="indent2"><num value="F">(F) </num><content>utilities;</content></subparagraph>
<subparagraph identifier="/us/bill/116/s/3874/s2/e/1/G" id="id6d3619bc8d1b489b99b5d5a0f37e8a7f" class="indent2"><num value="G">(G) </num><content>insurance;</content></subparagraph>
<subparagraph identifier="/us/bill/116/s/3874/s2/e/1/H" id="id761c3ff198224525a249cf8f3443bc93" class="indent2"><num value="H">(H) </num><content>providing premium pay for child care providers and other employees who provide services during the COVID19 public health emergency;</content></subparagraph>
<subparagraph identifier="/us/bill/116/s/3874/s2/e/1/I" id="id36981c54614340058422ce37502d2e19" class="indent2"><num value="I">(I) </num><content>sanitization and other costs associated with cleaning;</content></subparagraph>
<subparagraph identifier="/us/bill/116/s/3874/s2/e/1/J" id="id26923085dfc04decaa8182b250363b13" class="indent2"><num value="J">(J) </num><content>personal protective equipment and other equipment necessary to carry out the functions of the child care provider;</content></subparagraph>
<subparagraph identifier="/us/bill/116/s/3874/s2/e/1/K" id="id48660af54fa74571939bb7e2a2ead2de" class="indent2"><num value="K">(K) </num><content>training and professional development related to health and safety practices, including the proper implementation of policies in line with guidance from the Centers for Disease Control and Prevention and the corresponding State and local authorities, and in accordance with State and local orders;</content></subparagraph>
<subparagraph identifier="/us/bill/116/s/3874/s2/e/1/L" id="idea8579dedead442aa4147113a324cf88" class="indent2"><num value="L">(L) </num><content>modifications to child care services as a result of the COVID19 public health emergency, such as limiting group sizes, adjusting staff-to-child ratios, and implementing other heightened health and safety measures; </content></subparagraph>
<subparagraph identifier="/us/bill/116/s/3874/s2/e/1/M" id="id6397d2fdd0114ab98d52c4da41b57ac0" class="indent2"><num value="M">(M) </num><content>mental health supports for children and employees; and</content></subparagraph>
<subparagraph identifier="/us/bill/116/s/3874/s2/e/1/N" id="ide2c5f2f5fa354fd79d54dcd2026b9292" class="indent2"><num value="N">(N) </num><content>other goods and services necessary to maintain or resume operation of the child care program, or to maintain the viability of the child care provider as a going concern during and after the COVID19 public health emergency.</content></subparagraph></paragraph>
<paragraph identifier="/us/bill/116/s/3874/s2/e/2" id="ide0e57af83261423cbf3fb72b01ea5a62" class="indent1"><num value="2">(2) </num><heading><inline class="smallCaps">Reimbursement</inline>.—</heading><content>The qualified child care provider may use the subgrant funds to reimburse the provider for sums obligated or expended before the date of enactment of this Act for the cost of a good or service described in paragraph (1) to respond to the COVID19 public health emergency.</content></paragraph></subsection>
<subsection identifier="/us/bill/116/s/3874/s2/f" id="idbb15552ec5dc4c459a92701a0c0431b5" class="indent0"><num value="f">(f) </num><heading><inline class="smallCaps">Reporting</inline>.—</heading>
<paragraph identifier="/us/bill/116/s/3874/s2/f/1" id="idff4d668454c74a3488120c48da3578b1" class="indent1"><num value="1">(1) </num><heading><inline class="smallCaps">Initial report</inline>.—</heading><chapeau>A lead agency receiving a grant under this section shall, within 60 days after making the agencys first subgrant under subsection (d)(2) to a qualified child care provider, submit a report to the Secretary that includes—</chapeau>
<subparagraph identifier="/us/bill/116/s/3874/s2/f/1/A" id="idaf747808be024eaebaffb1002de5f7f3" class="indent2"><num value="A">(A) </num><chapeau>data on qualified child care providers that applied for subgrants and qualified child care providers that received such subgrants, including—</chapeau>
<clause identifier="/us/bill/116/s/3874/s2/f/1/A/i" id="idC0F1F73F0E864AC6B724511F1BB9A2D5" class="indent3"><num value="i">(i) </num><content>the number of such applicants and the number of such recipients;</content></clause>
<clause identifier="/us/bill/116/s/3874/s2/f/1/A/ii" id="idb7a965398df14ebd9e57bcb6f87bddae" class="indent3"><num value="ii">(ii) </num><content>the number and proportion of such applicants and recipients that received priority and the characteristic or characteristics of such applicants and recipients associated with the priority;</content></clause>
<clause identifier="/us/bill/116/s/3874/s2/f/1/A/iii" id="id33790e9ed9e84f12ac89a9a7ab3355eb" class="indent3"><num value="iii">(iii) </num><chapeau>the number and proportion of such applicants and recipients that are—</chapeau>
<subclause identifier="/us/bill/116/s/3874/s2/f/1/A/iii/I" id="id89981d5cfe734347a2241b91703bd2d9" class="indent4"><num value="I">(I) </num><content>center-based child care providers;</content></subclause>
<subclause identifier="/us/bill/116/s/3874/s2/f/1/A/iii/II" id="idbea22964bda54245a3de16d9a4e6f721" class="indent4"><num value="II">(II) </num><content>family child care providers;</content></subclause>
<subclause identifier="/us/bill/116/s/3874/s2/f/1/A/iii/III" id="idb0515617f8394284aed61f07d096fbde" class="indent4"><num value="III">(III) </num><content>group home child care providers; or</content></subclause>
<subclause identifier="/us/bill/116/s/3874/s2/f/1/A/iii/IV" id="id80933245914e4404a794b6ae86fd2c34" class="indent4"><num value="IV">(IV) </num><content>other non-center-based child care providers; and</content></subclause></clause>
<clause identifier="/us/bill/116/s/3874/s2/f/1/A/iv" id="id12cc5adade7949b2a1268aa4c120d61b" class="indent3"><num value="iv">(iv) </num><chapeau>within each of the groups listed in clause (iii), the number of such applicants and recipients that are, on the date of submission of the application—</chapeau>
<subclause identifier="/us/bill/116/s/3874/s2/f/1/A/iv/I" id="id3f0cdae2f0464131bf30b3af3d6dcc9d" class="indent4"><num value="I">(I) </num><content>open and available to provide child care services; or</content></subclause>
<subclause identifier="/us/bill/116/s/3874/s2/f/1/A/iv/II" id="id40e1a03fab8c4e23864443327737e170" class="indent4"><num value="II">(II) </num><content>closed due to the COVID19 public health emergency;</content></subclause></clause></subparagraph>
<subparagraph identifier="/us/bill/116/s/3874/s2/f/1/B" id="idc427eaa672fa4131860d412a6282385f" class="indent2"><num value="B">(B) </num><content>the total capacity of child care providers that are licensed, regulated, or registered in the State on the date of the submission of the report;</content></subparagraph>
<subparagraph identifier="/us/bill/116/s/3874/s2/f/1/C" id="ida48d2bc115f7475ab0a4d8e8ee01495e" class="indent2"><num value="C">(C) </num><chapeau>a description of—</chapeau>
<clause identifier="/us/bill/116/s/3874/s2/f/1/C/i" id="id8960da01e7d74c8190cec4cf7eca1aaa" class="indent3"><num value="i">(i) </num><content>the efforts of the lead agency to publicize the availability of subgrants under this section and conduct widespread outreach to eligible child care providers about such subgrants, including efforts to make materials available in languages other than English;</content></clause>
<clause identifier="/us/bill/116/s/3874/s2/f/1/C/ii" id="idb159b0a61d704ba2a66667ed65ca29e1" class="indent3"><num value="ii">(ii) </num><content>the lead agencys methodology for determining amounts of subgrants under subsection (d)(2);</content></clause>
<clause identifier="/us/bill/116/s/3874/s2/f/1/C/iii" id="idfc3c566529a649de8e3486eb70dc4cb4" class="indent3"><num value="iii">(iii) </num><content>the lead agencys timeline for disbursing the subgrant funds; and</content></clause>
<clause identifier="/us/bill/116/s/3874/s2/f/1/C/iv" id="id21a77575c97c46cba1afcdb11d10740d" class="indent3"><num value="iv">(iv) </num><content>the lead agencys plan for ensuring that qualified child care providers that receive funding through such a subgrant comply with assurances described in subsection (d)(2)(D) and use funds in compliance with subsection (e); and</content></clause></subparagraph>
<subparagraph identifier="/us/bill/116/s/3874/s2/f/1/D" id="id7a207a4df6d94b6098f62c6e5a5ab91b" class="indent2"><num value="D">(D) </num><content>such other limited information as the Secretary may require.</content></subparagraph></paragraph>
<paragraph identifier="/us/bill/116/s/3874/s2/f/2" id="idf2c60229a2b146c5a06c21b5c4b89e97" class="indent1"><num value="2">(2) </num><heading><inline class="smallCaps">Quarterly report</inline>.—</heading><content>The lead agency shall, following the submission of such initial report, submit to the Secretary a report that contains the information described in subparagraphs (A), (B), and (D) of paragraph (1) once a quarter until all funds allotted for activities authorized under this section are expended.</content></paragraph>
<paragraph identifier="/us/bill/116/s/3874/s2/f/3" id="id3055be7dacb64acfb34b6c9d423feeec" class="indent1"><num value="3">(3) </num><heading><inline class="smallCaps">Final report</inline>.—</heading><chapeau>Not later than 60 days after a lead agency receiving a grant under this section has obligated all of the grant funds (including funds received under subsection (h)), the lead agency shall submit a report to the Secretary, in such manner as the Secretary may require, that includes—</chapeau>
<subparagraph identifier="/us/bill/116/s/3874/s2/f/3/A" id="idafecb90f4c3942449d0f9b41c4cdeb6c" class="indent2"><num value="A">(A) </num><content>the total number of eligible child care providers who were providing child care services on or before March 1, 2020, in the State and the number of such providers that submitted an application under subsection (d)(2)(D);</content></subparagraph>
<subparagraph identifier="/us/bill/116/s/3874/s2/f/3/B" id="ide15b20f38a9c428f95787e178698a7df" class="indent2"><num value="B">(B) </num><content>the number of qualified child care providers in the State that received funds through the grant;</content></subparagraph>
<subparagraph identifier="/us/bill/116/s/3874/s2/f/3/C" id="idc37ea31013d64af0aa1c5d77adbe365e" class="indent2"><num value="C">(C) </num><content>the lead agencys methodology for determining amounts of subgrants under subsection (d)(2);</content></subparagraph>
<subparagraph identifier="/us/bill/116/s/3874/s2/f/3/D" id="idfdd7529d41114d0bab9c7ab83fbeb7de" class="indent2"><num value="D">(D) </num><content>the average and range of the subgrant amounts by provider type (center-based child care, family child care, group home child care, or other non-center-based child care provider);</content></subparagraph>
<subparagraph identifier="/us/bill/116/s/3874/s2/f/3/E" id="id5a6ea83451e94d33b999c04a9a695d58" class="indent2"><num value="E">(E) </num><chapeau>the percentages, of the child care providers that received such a subgrant, that, on or before March 1, 2020—</chapeau>
<clause identifier="/us/bill/116/s/3874/s2/f/3/E/i" id="id91a9ec31214844288655bc4e2a01f9fc" class="indent3"><num value="i">(i) </num><content>provided child care during nontraditional hours;</content></clause>
<clause identifier="/us/bill/116/s/3874/s2/f/3/E/ii" id="id2ebce019d2f84d60a604290fa8313b99" class="indent3"><num value="ii">(ii) </num><content>served dual language learners, children with disabilities, children experiencing homelessness, children in foster care, children from low-income families, or infants and toddlers;</content></clause>
<clause identifier="/us/bill/116/s/3874/s2/f/3/E/iii" id="ida18e971f8dd542daa7285133df8c222e" class="indent3"><num value="iii">(iii) </num><content>served a high percentage of children whose families received subsidies under the Child Care and Development Block Grant Act of 1990 (<ref href="/us/usc/t42/s9857/etseq">42 U.S.C. 9857 et seq.</ref>) for the child care; and</content></clause>
<clause identifier="/us/bill/116/s/3874/s2/f/3/E/iv" id="id34e0686161914815a853dfd7458ea3c2" class="indent3"><num value="iv">(iv) </num><content>operated in communities, including rural communities, with a low supply of child care;</content></clause></subparagraph>
<subparagraph identifier="/us/bill/116/s/3874/s2/f/3/F" id="id744a4d2b841b4ad085cca3b65c5735d3" class="indent2"><num value="F">(F) </num><content>the number of children served by the child care providers that received such a subgrant, for the duration of the subgrant;</content></subparagraph>
<subparagraph identifier="/us/bill/116/s/3874/s2/f/3/G" id="idce09f44a880a4630a3138f463db8fd7d" class="indent2"><num value="G">(G) </num><chapeau>the percentages, of the child care providers that received such a subgrant, that are—</chapeau>
<clause identifier="/us/bill/116/s/3874/s2/f/3/G/i" id="id2abc5aed3bad4ac98cc59da87a69817f" class="indent3"><num value="i">(i) </num><content>center-based child care providers;</content></clause>
<clause identifier="/us/bill/116/s/3874/s2/f/3/G/ii" id="ide34435defc1240549db68d4f49c54355" class="indent3"><num value="ii">(ii) </num><content>family child care providers;</content></clause>
<clause identifier="/us/bill/116/s/3874/s2/f/3/G/iii" id="id0f5198fdb238474ebd9df2ef97fceddd" class="indent3"><num value="iii">(iii) </num><content>group home child care providers; or</content></clause>
<clause identifier="/us/bill/116/s/3874/s2/f/3/G/iv" id="ide70b0957f14d4521b7128be5b4fe1a32" class="indent3"><num value="iv">(iv) </num><content>other non-center-based child care providers;</content></clause></subparagraph>
<subparagraph identifier="/us/bill/116/s/3874/s2/f/3/H" id="idf97e4f43949f4ee8a6ba1928cf7b7285" class="indent2"><num value="H">(H) </num><chapeau>the percentages, of the child care providers listed in subparagraph (G) that are, on the date of submission of the application—</chapeau>
<clause identifier="/us/bill/116/s/3874/s2/f/3/H/i" id="idf3664ddd13de4f8aba0f7aebab2b8363" class="indent3"><num value="i">(i) </num><content>open and available to provide child care services; or</content></clause>
<clause identifier="/us/bill/116/s/3874/s2/f/3/H/ii" id="id0ee605c564d74d15ad4450cac10294ce" class="indent3"><num value="ii">(ii) </num><content>closed due to the COVID19 public health emergency;</content></clause></subparagraph>
<subparagraph identifier="/us/bill/116/s/3874/s2/f/3/I" id="id3ff12c52f3f54dd2a1cae79c0dc57385" class="indent2"><num value="I">(I) </num><content>information about how child care providers used the funds received under such a subgrant; </content></subparagraph>
<subparagraph identifier="/us/bill/116/s/3874/s2/f/3/J" id="ida1fc4fce7cfe4b93b7b7e528b9144020" class="indent2"><num value="J">(J) </num><content>information about how the lead agency used funds reserved under subsection (d)(1); and</content></subparagraph>
<subparagraph identifier="/us/bill/116/s/3874/s2/f/3/K" id="idcfc21e81b3524c7199b6ec70c9d96fa4" class="indent2"><num value="K">(K) </num><content>information about how the subgrants helped to stabilize the child care sector.</content></subparagraph></paragraph>
<paragraph identifier="/us/bill/116/s/3874/s2/f/4" id="id6aaea5b097ac4255877907c8438207f1" class="indent1"><num value="4">(4) </num><heading><inline class="smallCaps">Reports to congress</inline>.—</heading>
<subparagraph identifier="/us/bill/116/s/3874/s2/f/4/A" id="id2d7b7df89d03412dbb543156d256fdef" class="indent2"><num value="A">(A) </num><heading><inline class="smallCaps">Findings from initial reports</inline>.—</heading><content>Not later than 60 days after receiving all reports required to be submitted under paragraph (1), the Secretary shall provide a report to the Committee on Education and Labor and the Committee on Appropriations of the House of Representatives and to the Committee on Health, Education, Labor, and Pensions and the Committee on Appropriations of the Senate, summarizing the findings from the reports received under paragraph (1).</content></subparagraph>
<subparagraph identifier="/us/bill/116/s/3874/s2/f/4/B" id="id031c004a3cc24de4994de70f5e65a36d" class="indent2"><num value="B">(B) </num><heading><inline class="smallCaps">Findings from final reports</inline>.—</heading><content>Not later than 36 months after the date of enactment of this Act, the Secretary shall provide a report to the Committee on Education and Labor and the Committee on Appropriations of the House of Representatives and to the Committee on Health, Education, Labor, and Pensions and the Committee on Appropriations of the Senate, summarizing the findings from the reports received under paragraph (3).</content></subparagraph></paragraph></subsection>
<subsection identifier="/us/bill/116/s/3874/s2/g" id="idc1a63fd6bbed4267a64097d36f2e354a" class="indent0"><num value="g">(g) </num><heading><inline class="smallCaps">Supplement Not Supplant</inline>.—</heading><content>Amounts made available to carry out this section shall be used to supplement and not supplant other Federal, State, and local public funds expended to provide child care services for eligible individuals, including funds provided under the Child Care and Development Block Grant Act of 1990 (<ref href="/us/usc/t42/s9857/etseq">42 U.S.C. 9857 et seq.</ref>) and State child care programs.</content></subsection>
<subsection identifier="/us/bill/116/s/3874/s2/h" id="id5fdff494b1844db3ae5ba7b3af8362d0" class="indent0"><num value="h">(h) </num><heading><inline class="smallCaps">Reallotment of Unobligated Funds</inline>.—</heading>
<paragraph identifier="/us/bill/116/s/3874/s2/h/1" id="id7e552f522ac347968bfaf7f221d7191b" class="indent1"><num value="1">(1) </num><heading><inline class="smallCaps">Unobligated funds</inline>.—</heading><content>A State, Indian tribe, or tribal organization shall return to the Secretary any grant funds received under this section that the State, Indian tribe, or tribal organization does not obligate by September 30, 2021.</content></paragraph>
<paragraph identifier="/us/bill/116/s/3874/s2/h/2" id="id21616656181d46c29cb0d6111821f50f" class="indent1"><num value="2">(2) </num><heading><inline class="smallCaps">Reallotment</inline>.—</heading><content>The Secretary shall award new allotments and payments, in accordance with subsection (c)(2), to covered States, Indian tribes, or tribal organizations from funds that are returned under paragraph (1) within 60 days of receiving such funds. Funds made available through the new allotments and payments shall remain available to each such covered State, Indian tribe, or tribal organization until September 30, 2022.</content></paragraph>
<paragraph identifier="/us/bill/116/s/3874/s2/h/3" id="id8f9ffc5ae3944077b3d392681e88f0c5" class="indent1"><num value="3">(3) </num><heading><inline class="smallCaps">Covered state, indian tribe, or tribal organization</inline>.—</heading><content>For purposes of paragraph (2), a covered State, Indian tribe, or tribal organization is a State, Indian tribe, or tribal organization that received an allotment or payment under this section and was not required to return grant funds under paragraph (1).</content></paragraph></subsection>
<subsection identifier="/us/bill/116/s/3874/s2/i" id="idd230776b93cb455693fed8606dacafe3" class="indent0"><num value="i">(i) </num><heading><inline class="smallCaps">Exceptions</inline>.—</heading><content>The Child Care and Development Block Grant Act of 1990 (<ref href="/us/usc/t42/s9857/etseq">42 U.S.C. 9857 et seq.</ref>), excluding requirements in subparagraphs (C) through (E) of section 658E(c)(3), section 658G, and section 658J(c) of such Act (<ref href="/us/usc/t42/s9858c/c/3">42 U.S.C. 9858c(c)(3)</ref>, 9858e, 9858h(c)), shall apply to child care services provided under this section to the extent the application of such Act does not conflict with the provisions of this section. Nothing in this Act shall be construed to require a State to submit an application, other than the application described in section 658E or 658O(c) of the Child Care and Development Block Grant Act of 1990 (<ref href="/us/usc/t42/s9858c">42 U.S.C. 9858c</ref>, 9858m(c)), to receive a grant under this section.</content></subsection>
<subsection identifier="/us/bill/116/s/3874/s2/j" id="idaa0b5b78b82541f7bfa8412efed22a23" class="indent0"><num value="j">(j) </num><heading><inline class="smallCaps">Authorization of Appropriations</inline>.—</heading>
<paragraph identifier="/us/bill/116/s/3874/s2/j/1" id="idDCA8EA8F2B9C4C63B9DC985448171B8C" class="indent1"><num value="1">(1) </num><heading><inline class="smallCaps">In general</inline>.—</heading><content>There is authorized to be appropriated to carry out this Act $50,000,000,000 for fiscal year 2020. </content></paragraph>
<paragraph identifier="/us/bill/116/s/3874/s2/j/2" id="idEEE6E136F8F040169CE8BAD479A9AA9E" class="indent1"><num value="2">(2) </num><heading><inline class="smallCaps">Application</inline>.—</heading><content>In carrying out the Child Care and Development Block Grant Act of 1990 with funds other than the funds appropriated under paragraph (1), the Secretary shall calculate the amounts of appropriated funds described in subsections (a) and (b) of section 658O of such Act (<ref href="/us/usc/t42/s9858m">42 U.S.C. 9858m</ref>) by excluding funds appropriated under paragraph (1). </content></paragraph></subsection></section>
<section identifier="/us/bill/116/s/3874/s3" id="H4BEC38F1647B4FA5853B2A3C3C65C7DB"><num value="3"><inline class="smallCaps">Sec. 3. </inline></num><content class="inline">An amount appropriated or made available under this Act is in addition to any amounts otherwise appropriated for the fiscal year involved.</content></section>
<section identifier="/us/bill/116/s/3874/s4" id="HCA144126C3AE496794736E87AE00135C"><num value="4"><inline class="smallCaps">Sec. 4. </inline></num><content class="inline">Unless otherwise provided in this Act, the additional amount appropriated under this Act to an appropriations account shall be available under the authorities and conditions applicable to such appropriations account for fiscal year 2020.</content></section>
<section identifier="/us/bill/116/s/3874/s5" id="idEFBDC94F55584B9CBA283D4791F3BEE2"><num value="5"><inline class="smallCaps">Sec. 5. </inline></num><content class="inline">This Act may be cited as the “<shortTitle role="act">Child Care Is Essential Act</shortTitle>”.</content></section></main><endMarker>○</endMarker></bill>

View File

@@ -0,0 +1,33 @@
<?xml version="1.0" encoding="UTF-8"?><?xml-stylesheet type="text/css" href="uslm.css"?><bill xmlns="http://schemas.gpo.gov/xml/uslm" xmlns:dc="http://purl.org/dc/elements/1.1/" xmlns:html="http://www.w3.org/1999/xhtml" xmlns:uslm="http://schemas.gpo.gov/xml/uslm" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://schemas.gpo.gov/xml/uslm uslm-2.1.0.xsd" xml:lang="en" id="A1"><!--Disclaimer: Legislative measures that include compacts or other non-standard data structures will require additional modeling and may contain inconsistencies in the converted USLM XML.--> <meta>
<dc:title>116 S 483 ES: To enact into law a bill by reference.</dc:title>
<dc:type>Senate Bill</dc:type>
<docNumber>483</docNumber>
<citableAs>116 S 483 ES</citableAs>
<citableAs>116s483es</citableAs>
<citableAs>116 S. 483 ES</citableAs>
<docStage>Engrossed in Senate</docStage>
<currentChamber>SENATE</currentChamber>
<dc:creator>United States Senate</dc:creator>
<processedBy>GPO XPub Bill to USLM Generator, version 0.5 + manual changes</processedBy>
<processedDate>2024-09-09</processedDate>
<dc:publisher>United States Government Publishing Office</dc:publisher>
<dc:format>text/xml</dc:format>
<dc:language>EN</dc:language>
<dc:rights>Pursuant to Title 17 Section 105 of the United States Code, this file is not subject to copyright protection and is in the public domain.</dc:rights>
<congress>116</congress>
<session>1</session>
<publicPrivate>public</publicPrivate></meta>
<preface>
<slugLine>†S 483 ES</slugLine>
<congress value="116">116th CONGRESS</congress>
<session value="1">1st Session</session>
<dc:type>S. </dc:type>
<docNumber>483</docNumber>
<currentChamber value="SENATE" display="no">IN THE SENATE OF THE UNITED STATES</currentChamber></preface>
<main styleType="appropriations"><longTitle><docTitle>AN ACT</docTitle><officialTitle>To enact into law a bill by reference.</officialTitle></longTitle><enactingFormula><i>Be it enacted by the Senate and House of Representatives of the United States of America in Congress assembled, </i></enactingFormula>
<section identifier="/us/bill/116/s/483/s1" id="id7C0AF075CCE34FAC83B56067AB05D918"><num value="1"><inline class="smallCaps">Section 1. </inline></num><subsection identifier="/us/bill/116/s/483/s1/a" id="idF75FC56D0DF9436FA17D0B1BB46B687F" class="inline"><num value="a">(a) </num><content>H.R. 1029 of the 115th Congress, as passed by the Senate on June 28, 2018, is enacted into law.</content></subsection>
<subsection identifier="/us/bill/116/s/483/s1/b" id="id51BC71AADB3C4FBE86918C229BE48CFB" class="indent0"><num value="b">(b) </num><content>In publishing this Act in slip form and in the United States Statutes at Large pursuant to <ref href="/us/usc/t1/s112">section 112 of title 1, United States Code</ref>, the Archivist of the United States shall include after the date of approval at the end an appendix setting forth the text of the bill referred to in subsection (a).</content></subsection></section></main>
<attestation><action><actionDescription>Passed the Senate </actionDescription><date date="2019-02-14" meta="chamber:Senate">February 14, 2019</date>.</action>
<signatures>
<signature><notation type="attestation">Attest: </notation><role>Secretary</role>.</signature></signatures></attestation>
<endorsement orientation="landscape"><congress value="116">116th CONGRESS</congress><session value="1">1st Session</session><dc:type>S. </dc:type><docNumber>483</docNumber><longTitle><docTitle>AN ACT</docTitle><officialTitle>To enact into law a bill by reference.</officialTitle></longTitle></endorsement></bill>

View File

@@ -0,0 +1,55 @@
<?xml version="1.0" encoding="UTF-8"?><?xml-stylesheet type="text/css" href="uslm.css"?><resolution xmlns="http://schemas.gpo.gov/xml/uslm" xmlns:dc="http://purl.org/dc/elements/1.1/" xmlns:html="http://www.w3.org/1999/xhtml" xmlns:uslm="http://schemas.gpo.gov/xml/uslm" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://schemas.gpo.gov/xml/uslm uslm-2.1.0.xsd" xml:lang="en"><!--Disclaimer: Legislative measures that include compacts or other non-standard data structures will require additional modeling and may contain inconsistencies in the converted USLM XML.--> <meta>
<dc:title>116 SCONRES 10 IS: Recognizing that Chinese telecommunications companies such as Huawei and ZTE pose serious threats to the national security of the United States and its allies.</dc:title>
<dc:type>Senate Concurrent Resolution</dc:type>
<docNumber>10</docNumber>
<citableAs>116 SCONRES 10 IS</citableAs>
<citableAs>116sconres10is</citableAs>
<citableAs>116 S. Con. Res. 10 IS</citableAs>
<docStage>Introduced in Senate</docStage>
<currentChamber>SENATE</currentChamber>
<dc:creator>United States Senate</dc:creator>
<processedBy>GPO XPub Bill to USLM Generator, version 0.5 + manual changes</processedBy>
<processedDate>2024-09-09</processedDate>
<dc:publisher>United States Government Publishing Office</dc:publisher>
<dc:format>text/xml</dc:format>
<dc:language>EN</dc:language>
<dc:rights>Pursuant to Title 17 Section 105 of the United States Code, this file is not subject to copyright protection and is in the public domain.</dc:rights>
<congress>116</congress>
<session>1</session>
<publicPrivate>public</publicPrivate></meta>
<preface>
<slugLine>•SCON 10 IS</slugLine>
<distributionCode display="yes">III</distributionCode>
<congress value="116">116th CONGRESS</congress>
<session value="1">1st Session</session>
<dc:type>S. CON. RES. </dc:type>
<docNumber>10</docNumber>
<dc:title>Recognizing that Chinese telecommunications companies such as Huawei and ZTE pose serious threats to the national security of the United States and its allies.</dc:title>
<currentChamber value="SENATE">IN THE SENATE OF THE UNITED STATES</currentChamber>
<action><date date="2019-03-28"><inline class="smallCaps">March </inline>28, 2019</date><actionDescription><sponsor senateId="S377">Mr. <inline class="smallCaps">Gardner</inline></sponsor> (for himself, <cosponsor senateId="S337">Mr. <inline class="smallCaps">Coons</inline></cosponsor>, and <cosponsor senateId="S369">Mr. <inline class="smallCaps">Markey</inline></cosponsor>) submitted the following concurrent resolution; which was referred to the <committee committeeId="SSFR00">Committee on Foreign Relations</committee></actionDescription></action></preface>
<main styleType="OLC"><longTitle><docTitle>CONCURRENT RESOLUTION</docTitle><officialTitle>Recognizing that Chinese telecommunications companies such as Huawei and ZTE pose serious threats to the national security of the United States and its allies.</officialTitle></longTitle><preamble>
<recital>Whereas fifth generation (5G) wireless technology promises greater speed and capacity and will provide the backbone for the next generation of digital technologies;</recital>
<recital>Whereas fifth generation wireless technology will be a revolutionary advancement in telecommunications with the potential to create millions of jobs and billions of dollars in economic opportunity;</recital>
<recital>Whereas Chinese companies, including Huawei, have invested substantial resources in advancing fifth generation wireless technology and other telecommunications services around the globe, including subsidies provided directly by the Government of the Peoples Republic of China;</recital>
<recital>Whereas Chinese officials have increased leadership roles at the International Telecommunications Union, where international telecommunications standards are set, and companies such as Huawei have increased their influence at the 3rd Generation Partnership Project (3GPP), whose work informs global technology standards;</recital>
<recital>Whereas Huawei and ZTE have aggressively sought to enter into contracts throughout the developing world, including throughout Latin America and Africa in countries such as Venezuela and Kenya;</recital>
<recital>Whereas, in 2012, the Permanent Select Committee on Intelligence of the House of Representatives released a bipartisan report naming Huawei and ZTE as national security threats;</recital>
<recital>Whereas, in 2013, the United States restricted Federal procurement of certain products produced by Huawei and ZTE and has since expanded restrictions on Federal procurement of those products;</recital>
<recital>Whereas, in 2016, the national legislature of the Peoples Republic of China passed the Cyber Security Law of the Peoples Republic of China, article 28 of which requires “network operators”, including companies like Huawei, to “provide technical support and assistance” to Chinese authorities involved in national security efforts;</recital>
<recital>Whereas, in 2017, the national legislature of the Peoples Republic of China passed the National Intelligence Law of the Peoples Republic of China, article 7 of which requires “all organizations and citizens”—including companies like Huawei and ZTE—to “support, assist, and cooperate with national intelligence efforts” undertaken by the Peoples Republic of China;</recital>
<recital>Whereas, in August 2018, the Government of Australia banned Huawei and ZTE from building the fifth generation wireless networks of Australia;</recital>
<recital>Whereas, in August 2018, Congress restricted the heads of Federal agencies from procuring certain covered telecommunications equipment and services, which included Huawei and ZTE equipment;</recital>
<recital>Whereas, in December 2018, the Government of Japan issued instructions effectively banning Huawei and ZTE from official contracts in the country;</recital>
<recital>Whereas, on December 7, 2018, a Vice-President of the European Commission expressed concern that Huawei and other Chinese companies may be forced to cooperate with Chinas intelligence services to install “mandatory backdoors” to allow access to encrypted data;</recital>
<recital>Whereas, in January 2019, the Office of the Director of National Intelligence issued a Worldwide Threat Assessment that describes concerns “about the potential for Chinese intelligence and security services to use Chinese information technology firms as routine and systemic espionage platforms against the United States and allies”;</recital>
<recital>Whereas, in February 2019, the Government of New Zealand expressed serious concern about Huawei building the fifth generation wireless networks of New Zealand;</recital>
<recital>Whereas the Department of Justice has charged Huawei with the theft of trade secrets, obstruction of justice, and other serious crimes;</recital>
<recital>Whereas, against the strong advice of the United States and a number of the security partners of the United States, the governments of countries such as Germany have indicated that they may permit Huawei to build out the fifth generation wireless networks of those countries;</recital>
<recital>Whereas installation of Huawei equipment in the communications infrastructure of countries that are allies of the United States would jeopardize the security of communication lines between the United States and those allies;</recital>
<recital>Whereas secure communications systems are critical to ensure the safety and defense of the United States and allies of the United States;</recital>
<recital>Whereas the North Atlantic Treaty Organization (NATO) and other vital international security arrangements depend on strong and secure communications, which could be put at risk through the use of Huawei and ZTE equipment; and</recital>
<recital>Whereas there has been broad bipartisan consensus in Congress for years that Chinese companies like Huawei and ZTE present serious threats to national and global security: Now, therefore, be it</recital><resolvingClause><i>Resolved by the Senate (the House of Representatives concurring), </i></resolvingClause></preamble><section id="S1" class="inline"><chapeau class="inline">That—</chapeau>
<paragraph identifier="/us/resolution/116/sconres/10/s/1" id="id66BE2B5A998B4EEC9146DF2AEC96D630" class="indent1"><num value="1">(1) </num><content>Chinese telecommunications companies such as Huawei and ZTE pose serious threats to the national security of the United States and allies of the United States;</content></paragraph>
<paragraph identifier="/us/resolution/116/sconres/10/s/2" id="idD96C236EEC1B4564BA8BFC2B1B259184" class="indent1"><num value="2">(2) </num><content>the United States should reiterate to countries that are choosing to incorporate Huawei or ZTE products in their new telecommunications infrastructure that the United States will consider all necessary measures to limit the risks incurred by entities of the United States Government or Armed Forces from use of such compromised networks;</content></paragraph>
<paragraph identifier="/us/resolution/116/sconres/10/s/3" id="id48E32B0A07E54E73994C619AB72A374C" class="indent1"><num value="3">(3) </num><content>the United States should continue to make allies of the United States aware of the ongoing and future risks to telecommunications networks shared between the United States and such allies; and</content></paragraph>
<paragraph identifier="/us/resolution/116/sconres/10/s/4" id="id9785C21562024EE982A973F3D6EF7152" class="indent1"><num value="4">(4) </num><content>the United States should work with the private sector and allies and partners of the United States, including the European Union, in a regularized bilateral or multilateral format, to identify secure, cost-effective, and reliable alternatives to Huawei or ZTE products.</content></paragraph></section></main><endMarker>○</endMarker></resolution>

View File

@@ -0,0 +1,65 @@
<?xml version="1.0" encoding="UTF-8"?><?xml-stylesheet type="text/css" href="uslm.css"?><resolution xmlns="http://schemas.gpo.gov/xml/uslm" xmlns:dc="http://purl.org/dc/elements/1.1/" xmlns:html="http://www.w3.org/1999/xhtml" xmlns:uslm="http://schemas.gpo.gov/xml/uslm" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://schemas.gpo.gov/xml/uslm uslm-2.1.0.xsd" xml:lang="en"><!--Disclaimer: Legislative measures that include compacts or other non-standard data structures will require additional modeling and may contain inconsistencies in the converted USLM XML.--> <meta>
<dc:title>116 SCONRES 13 ATS: Reaffirming the United States commitment to Taiwan and to the implementation of the Taiwan Relations Act.</dc:title>
<dc:type>Senate Concurrent Resolution</dc:type>
<docNumber>13</docNumber>
<citableAs>116 SCONRES 13 ATS</citableAs>
<citableAs>116sconres13ats</citableAs>
<citableAs>116 S. Con. Res. 13 ATS</citableAs>
<docStage>Agreed to Senate</docStage>
<currentChamber>SENATE</currentChamber>
<dc:creator>United States Senate</dc:creator>
<processedBy>GPO XPub Bill to USLM Generator, version 0.5 + manual changes</processedBy>
<processedDate>2024-09-09</processedDate>
<dc:publisher>United States Government Publishing Office</dc:publisher>
<dc:format>text/xml</dc:format>
<dc:language>EN</dc:language>
<dc:rights>Pursuant to Title 17 Section 105 of the United States Code, this file is not subject to copyright protection and is in the public domain.</dc:rights>
<congress>116</congress>
<session>1</session>
<publicPrivate>public</publicPrivate></meta>
<preface>
<slugLine> SCON 13 ATS</slugLine>
<distributionCode display="yes">III</distributionCode>
<congress value="116">116th CONGRESS</congress>
<session value="1">1st Session</session>
<dc:type>S. CON. RES. </dc:type>
<docNumber>13</docNumber>
<dc:title>Reaffirming the United States commitment to Taiwan and to the implementation of the Taiwan Relations Act.</dc:title>
<currentChamber value="SENATE">IN THE SENATE OF THE UNITED STATES</currentChamber>
<action><date date="2019-04-04"><inline class="smallCaps">April </inline>4, 2019</date><actionDescription><sponsor senateId="S377">Mr. <inline class="smallCaps">Gardner</inline></sponsor> (for himself, <cosponsor senateId="S369">Mr. <inline class="smallCaps">Markey</inline></cosponsor>, <cosponsor senateId="S236">Mr. <inline class="smallCaps">Inhofe</inline></cosponsor>, <cosponsor senateId="S306">Mr. <inline class="smallCaps">Menendez</inline></cosponsor>, <cosponsor senateId="S323">Mr. <inline class="smallCaps">Risch</inline></cosponsor>, <cosponsor senateId="S350">Mr. <inline class="smallCaps">Rubio</inline></cosponsor>, <cosponsor senateId="S287">Mr. <inline class="smallCaps">Cornyn</inline></cosponsor>, and <cosponsor senateId="S305">Mr. <inline class="smallCaps">Isakson</inline></cosponsor>) submitted the following concurrent resolution; which was referred to the <committee addedDisplayStyle="italic" committeeId="SSFR00" deletedDisplayStyle="strikethrough">Committee on Foreign Relations</committee></actionDescription></action>
<action><date><inline class="smallCaps">April </inline>30, 2019</date><actionDescription>Committee discharged; considered and agreed to</actionDescription></action></preface>
<main id="H485004494A29487F9AC8D2602647788A" styleType="traditional"><longTitle><docTitle>CONCURRENT RESOLUTION</docTitle><officialTitle>Reaffirming the United States commitment to Taiwan and to the implementation of the Taiwan Relations Act.</officialTitle></longTitle><preamble>
<recital>Whereas the Taiwan Relations Act (referred to in this resolution as the “TRA”), which was signed into law on April 10, 1979, codified into law the basis for continued commercial, cultural, and other relations between the people of the United States and the people of Taiwan, and serves as the foundation to preserve and promote continued bilateral bonds;</recital>
<recital>Whereas the TRA enshrines the United States commitment to make available to Taiwan such defense articles and defense services in such quantity as may be necessary to enable Taiwan to maintain a sufficient self-defense capability;</recital>
<recital>Whereas pursuant to section 1206 of the Foreign Relations Authorization Act, Fiscal Year 2003 (<ref href="/us/pl/107/228">Public Law 107228</ref>; <ref href="/us/usc/t22/s2321k">22 U.S.C. 2321k note</ref>), Taiwan is to be treated as though it were designated a major non-NATO ally for transfers of defense articles or defense services;</recital>
<recital>Whereas in 1982, President Ronald Reagan further clarified the importance and resilience of the United States-Taiwan relationship by agreeing to the Six Assurances;</recital>
<recital><p class="inline">Whereas the TRA and the Six Assurances are cornerstones of United States policy with respect to Taiwan, as was reaffirmed—</p>
<paragraph identifier="/us/resolution/116/sconres/13/1" id="idA39984730A6941E88AFBEAD535EA35DD" class="indent1"><num value="1">(1) </num><content>by the House of Representatives with the adoption of H. Con. Res. 88 on May 16, 2016; and</content></paragraph>
<paragraph identifier="/us/resolution/116/sconres/13/2" id="id610E553DCC984E48A968D8C524D59F82" class="indent1"><num value="2">(2) </num><content>by the Senate with the adoption of S. Con. Res. 38 on July 6, 2016;</content></paragraph></recital>
<recital>Whereas the TRA and the Six Assurances have been essential components in helping to maintain peace, security, and stability in the Western Pacific, thereby furthering the political, security, and economic interests of the United States and Taiwan;</recital>
<recital><p class="inline">Whereas the United States and Taiwan have forged ever closer economic and security relations during the last 4 decades based on—</p>
<paragraph identifier="/us/resolution/116/sconres/13/1" id="id3CD185CC6A2F4391936E1D1989DD6FFA" class="indent1"><num value="1">(1) </num><content>their shared commitment to democracy, human rights, the rule of law, and free market principles; and</content></paragraph>
<paragraph identifier="/us/resolution/116/sconres/13/2" id="idA4EA249C9C3741B885853567BB93062C" class="indent1"><num value="2">(2) </num><content>their willingness to partner in efforts to combat global terrorism and to address other global challenges, such as challenges related to the environment, public health, energy security, education, womens empowerment, digital economy, poverty, and natural disasters;</content></paragraph></recital>
<recital>Whereas the United States-Taiwan global partnership was further strengthened in June 2015, with a memorandum of understanding between the American Institute in Taiwan and the Taipei Economic and Cultural Representative Office in the United States, which established the Global Cooperation and Training Framework, and has allowed the 2 parties to cohost many workshops on critical topics, including a December 2018 workshop on humanitarian assistance and disaster relief that was attended by 10 regional governments;</recital>
<recital>Whereas Taiwan has the expertise, willingness, and capability to engage in international efforts to mitigate global challenges related to such issues as public health, aviation safety, crime, and terrorism, but its participation in such efforts has been constrained by conditions imposed by the Peoples Republic of China;</recital>
<recital>Whereas successive Congresses have called upon the executive branch to develop strategies to obtain meaningful participation for Taiwan in international organizations, such as the World Health Organization, the International Civil Aviation Organization, and the International Criminal Police Organization (commonly known as “IN­TER­POL”);</recital>
<recital>Whereas the House of Representatives passed H.R. 353 on January 22, 2019, which expresses support for Taiwans participation at the World Health Organizations World Health Assembly as an observer;</recital>
<recital>Whereas communication on bilateral security, cultural, and commercial interests would be greatly enhanced with the full implementation of the Taiwan Travel Act (<ref href="/us/pl/115/135">Public Law 115135</ref>), which was signed into law on March 16, 2018, and which states “the United States Government should encourage visits between officials from the United States and Taiwan at all levels”;</recital>
<recital><p class="inline">Whereas the United States and Taiwan have built a strong economic partnership in which—</p>
<paragraph identifier="/us/resolution/116/sconres/13/1" id="id1BA75C3AE9A44001ABA4BF49FBAB5F03" class="indent1"><num value="1">(1) </num><content>the United States is Taiwans third largest trading partner; and</content></paragraph>
<paragraph identifier="/us/resolution/116/sconres/13/2" id="id0AA1A687A110495CA06165F633BDA1D5" class="indent1"><num value="2">(2) </num><content>Taiwan is the 11th largest trading partner of the United States and a key destination for United States agricultural exports;</content></paragraph></recital>
<recital>Whereas strong United States-Taiwan economic relations have been a positive factor in stimulating economic growth and job creation for the people of the United States and of Taiwan; and</recital>
<recital><p class="inline">Whereas successive Congresses have publicly reaffirmed United States commitments to Taiwan under the Taiwan Relations Act and Six Assurances, including most recently on December 31, 2018, with the enactment into law of the Asia Reassurance Initiative Act of 2018 (<ref href="/us/pl/115/409">Public Law 115409</ref>), which states that—</p>
<paragraph identifier="/us/resolution/116/sconres/13/1" id="HEE8C9731C98649E98E99FC5662397B65" class="indent1"><num value="1">(1) </num><content>it is United States policy “to support the close economic, political, and security relationship between Taiwan and the United States”; and</content></paragraph>
<paragraph identifier="/us/resolution/116/sconres/13/2" id="HD56526C8FB8142A1915C8BE1A17C26BC" class="indent1"><num value="2">(2) </num><chapeau>the President should—</chapeau>
<subparagraph identifier="/us/resolution/116/sconres/13/2/A" id="id5E1CBAC4ED72465989836D4D7270B9A6" class="indent2"><num value="A">(A) </num><content>“conduct regular transfers of defense articles to Taiwan that are tailored to meet the existing and likely future threats from the Peoples Republic of China, including supporting the efforts of Taiwan to develop and integrate asymmetric capabilities, as appropriate, including mobile, survivable, and cost-effective capabilities, into its military forces”; and</content></subparagraph>
<subparagraph identifier="/us/resolution/116/sconres/13/2/B" id="HAEFA48A044B64B078E9B611405499B7F" class="indent2"><num value="B">(B) </num><content>“encourage the travel of high-level United States officials to Taiwan, in accordance with the Taiwan Travel Act”: Now, therefore, be it</content></subparagraph></paragraph></recital><resolvingClause><i>Resolved by the Senate (the House of Representatives concurring), </i></resolvingClause></preamble><section id="H16DF66D1A0824B759EDAE3D89DAE509C" class="inline"><chapeau class="inline">That Congress—</chapeau>
<paragraph identifier="/us/resolution/116/sconres/13/s/1" id="H2EF6D4EE443C458C83795D125F5832A1" class="indent1"><num value="1">(1) </num><content>reaffirms that the Taiwan Relations Act and the Six Assurances are, and will remain, cornerstones of United States relations with Taiwan;</content></paragraph>
<paragraph identifier="/us/resolution/116/sconres/13/s/2" id="HBAF543D00FFB4675B48A1BC0DF80AE11" class="indent1"><num value="2">(2) </num><content>encourages United States officials at all levels to travel to meet with their counterparts in Taiwan, and for high-level Taiwan officials to enter the United States and meet with United States officials, in accordance with the Taiwan Travel Act;</content></paragraph>
<paragraph identifier="/us/resolution/116/sconres/13/s/3" id="H126ACC2D299545079EFA8D8FD453328B" class="indent1"><num value="3">(3) </num><content>reiterates that the President should conduct regular transfers of defense articles to Taiwan consistent with Taiwans national security requirements in accordance with existing law, including the Asia Reassurance Initiative Act of 2018 (<ref href="/us/pl/115/409">Public Law 115409</ref>);</content></paragraph>
<paragraph identifier="/us/resolution/116/sconres/13/s/4" id="H2E5A3F790ABA448F9665ED27E727F0DE" class="indent1"><num value="4">(4) </num><content>calls upon the Secretary of State to actively engage internationally in support of Taiwans meaningful participation in international organizations engaged in addressing transnational threats and challenges such as those related to health, aviation security, and crime and terrorism;</content></paragraph>
<paragraph identifier="/us/resolution/116/sconres/13/s/5" id="H89718FAE81C8421CBCEA71ABAFC69196" class="indent1"><num value="5">(5) </num><content>recognizes Taiwans partnership in combating global terrorism, including as a full partner in the Global Coalition to Defeat ISIS, and in addressing other global challenges through the Global Cooperation and Training Framework and similar initiatives;</content></paragraph>
<paragraph identifier="/us/resolution/116/sconres/13/s/6" id="H2C34A936BBB44FC1AE6AEBE968CBA19C" class="indent1"><num value="6">(6) </num><content>urges the President to explore opportunities to expand and deepen bilateral economic and trade relations with Taiwan;</content></paragraph>
<paragraph identifier="/us/resolution/116/sconres/13/s/7" id="HF02E4A5C3A8F4BF2BB35358A0EE55270" class="indent1"><num value="7">(7) </num><content>underscores the importance of the close people-to-people ties cultivated through initiatives such as the Fulbright Program, which has supported thousands of scholar and grantee exchanges between the United States and Taiwan for 60 years;</content></paragraph>
<paragraph identifier="/us/resolution/116/sconres/13/s/8" id="HE962A2963A904E54842BC46DDA94D711" class="indent1"><num value="8">(8) </num><content>welcomes the inclusion of Taiwan into the United States visa waiver program and U.S. Customs and Border Protections Global Entry Program to make it easier for those traveling from Taiwan to visit the United States; and</content></paragraph>
<paragraph identifier="/us/resolution/116/sconres/13/s/9" id="H5DAF8E1075974E7CA411B32228478E7E" class="indent1"><num value="9">(9) </num><content>acknowledges the important work done by the American Institute in Taiwan and the Taipei Economic and Cultural Representative Office in support of United States-Taiwan interests.</content></paragraph></section></main><endMarker>○</endMarker></resolution>

View File

@@ -0,0 +1,65 @@
<?xml version="1.0" encoding="UTF-8"?><?xml-stylesheet type="text/css" href="uslm.css"?><resolution xmlns="http://schemas.gpo.gov/xml/uslm" xmlns:dc="http://purl.org/dc/elements/1.1/" xmlns:html="http://www.w3.org/1999/xhtml" xmlns:uslm="http://schemas.gpo.gov/xml/uslm" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://schemas.gpo.gov/xml/uslm uslm-2.1.0.xsd" xml:lang="en"><!--Disclaimer: Legislative measures that include compacts or other non-standard data structures will require additional modeling and may contain inconsistencies in the converted USLM XML.--> <meta>
<dc:title>116 SCONRES 13 ES: Reaffirming the United States commitment to Taiwan and to the implementation of the Taiwan Relations Act.</dc:title>
<dc:type>Senate Concurrent Resolution</dc:type>
<docNumber>13</docNumber>
<citableAs>116 SCONRES 13 ES</citableAs>
<citableAs>116sconres13es</citableAs>
<citableAs>116 S. Con. Res. 13 ES</citableAs>
<docStage>Engrossed in Senate</docStage>
<currentChamber>SENATE</currentChamber>
<dc:creator>United States Senate</dc:creator>
<processedBy>GPO XPub Bill to USLM Generator, version 0.5 + manual changes</processedBy>
<processedDate>2024-09-09</processedDate>
<dc:publisher>United States Government Publishing Office</dc:publisher>
<dc:format>text/xml</dc:format>
<dc:language>EN</dc:language>
<dc:rights>Pursuant to Title 17 Section 105 of the United States Code, this file is not subject to copyright protection and is in the public domain.</dc:rights>
<congress>116</congress>
<session>1</session>
<publicPrivate>public</publicPrivate></meta>
<preface>
<slugLine>†SCON 13 ES</slugLine>
<congress value="116">116th CONGRESS</congress>
<session value="1">1st Session</session>
<dc:type>S. CON. RES. </dc:type>
<docNumber>13</docNumber>
<currentChamber value="SENATE" display="no">IN THE SENATE OF THE UNITED STATES</currentChamber></preface>
<main id="H485004494A29487F9AC8D2602647788A" styleType="traditional"><longTitle><docTitle>CONCURRENT RESOLUTION</docTitle></longTitle><preamble>
<recital>Whereas the Taiwan Relations Act (referred to in this resolution as the “TRA”), which was signed into law on April 10, 1979, codified into law the basis for continued commercial, cultural, and other relations between the people of the United States and the people of Taiwan, and serves as the foundation to preserve and promote continued bilateral bonds;</recital>
<recital>Whereas the TRA enshrines the United States commitment to make available to Taiwan such defense articles and defense services in such quantity as may be necessary to enable Taiwan to maintain a sufficient self-defense capability;</recital>
<recital>Whereas pursuant to section 1206 of the Foreign Relations Authorization Act, Fiscal Year 2003 (<ref href="/us/pl/107/228">Public Law 107228</ref>; <ref href="/us/usc/t22/s2321k">22 U.S.C. 2321k note</ref>), Taiwan is to be treated as though it were designated a major non-NATO ally for transfers of defense articles or defense services;</recital>
<recital>Whereas in 1982, President Ronald Reagan further clarified the importance and resilience of the United States-Taiwan relationship by agreeing to the Six Assurances;</recital>
<recital><p class="inline">Whereas the TRA and the Six Assurances are cornerstones of United States policy with respect to Taiwan, as was reaffirmed—</p>
<paragraph identifier="/us/resolution/116/sconres/13/1" id="idA39984730A6941E88AFBEAD535EA35DD" class="indent1"><num value="1">(1) </num><content>by the House of Representatives with the adoption of H. Con. Res. 88 on May 16, 2016; and</content></paragraph>
<paragraph identifier="/us/resolution/116/sconres/13/2" id="id610E553DCC984E48A968D8C524D59F82" class="indent1"><num value="2">(2) </num><content>by the Senate with the adoption of S. Con. Res. 38 on July 6, 2016;</content></paragraph></recital>
<recital>Whereas the TRA and the Six Assurances have been essential components in helping to maintain peace, security, and stability in the Western Pacific, thereby furthering the political, security, and economic interests of the United States and Taiwan;</recital>
<recital><p class="inline">Whereas the United States and Taiwan have forged ever closer economic and security relations during the last 4 decades based on—</p>
<paragraph identifier="/us/resolution/116/sconres/13/1" id="id3CD185CC6A2F4391936E1D1989DD6FFA" class="indent1"><num value="1">(1) </num><content>their shared commitment to democracy, human rights, the rule of law, and free market principles; and</content></paragraph>
<paragraph identifier="/us/resolution/116/sconres/13/2" id="idA4EA249C9C3741B885853567BB93062C" class="indent1"><num value="2">(2) </num><content>their willingness to partner in efforts to combat global terrorism and to address other global challenges, such as challenges related to the environment, public health, energy security, education, womens empowerment, digital economy, poverty, and natural disasters;</content></paragraph></recital>
<recital>Whereas the United States-Taiwan global partnership was further strengthened in June 2015, with a memorandum of understanding between the American Institute in Taiwan and the Taipei Economic and Cultural Representative Office in the United States, which established the Global Cooperation and Training Framework, and has allowed the 2 parties to cohost many workshops on critical topics, including a December 2018 workshop on humanitarian assistance and disaster relief that was attended by 10 regional governments;</recital>
<recital>Whereas Taiwan has the expertise, willingness, and capability to engage in international efforts to mitigate global challenges related to such issues as public health, aviation safety, crime, and terrorism, but its participation in such efforts has been constrained by conditions imposed by the Peoples Republic of China;</recital>
<recital>Whereas successive Congresses have called upon the executive branch to develop strategies to obtain meaningful participation for Taiwan in international organizations, such as the World Health Organization, the International Civil Aviation Organization, and the International Criminal Police Organization (commonly known as “IN­TER­POL”);</recital>
<recital>Whereas the House of Representatives passed H.R. 353 on January 22, 2019, which expresses support for Taiwans participation at the World Health Organizations World Health Assembly as an observer;</recital>
<recital>Whereas communication on bilateral security, cultural, and commercial interests would be greatly enhanced with the full implementation of the Taiwan Travel Act (<ref href="/us/pl/115/135">Public Law 115135</ref>), which was signed into law on March 16, 2018, and which states “the United States Government should encourage visits between officials from the United States and Taiwan at all levels”;</recital>
<recital><p class="inline">Whereas the United States and Taiwan have built a strong economic partnership in which—</p>
<paragraph identifier="/us/resolution/116/sconres/13/1" id="id1BA75C3AE9A44001ABA4BF49FBAB5F03" class="indent1"><num value="1">(1) </num><content>the United States is Taiwans third largest trading partner; and</content></paragraph>
<paragraph identifier="/us/resolution/116/sconres/13/2" id="id0AA1A687A110495CA06165F633BDA1D5" class="indent1"><num value="2">(2) </num><content>Taiwan is the 11th largest trading partner of the United States and a key destination for United States agricultural exports;</content></paragraph></recital>
<recital>Whereas strong United States-Taiwan economic relations have been a positive factor in stimulating economic growth and job creation for the people of the United States and of Taiwan; and</recital>
<recital><p class="inline">Whereas successive Congresses have publicly reaffirmed United States commitments to Taiwan under the Taiwan Relations Act and Six Assurances, including most recently on December 31, 2018, with the enactment into law of the Asia Reassurance Initiative Act of 2018 (<ref href="/us/pl/115/409">Public Law 115409</ref>), which states that—</p>
<paragraph identifier="/us/resolution/116/sconres/13/1" id="HEE8C9731C98649E98E99FC5662397B65" class="indent1"><num value="1">(1) </num><content>it is United States policy “to support the close economic, political, and security relationship between Taiwan and the United States”; and</content></paragraph>
<paragraph identifier="/us/resolution/116/sconres/13/2" id="HD56526C8FB8142A1915C8BE1A17C26BC" class="indent1"><num value="2">(2) </num><chapeau>the President should—</chapeau>
<subparagraph identifier="/us/resolution/116/sconres/13/2/A" id="id5E1CBAC4ED72465989836D4D7270B9A6" class="indent2"><num value="A">(A) </num><content>“conduct regular transfers of defense articles to Taiwan that are tailored to meet the existing and likely future threats from the Peoples Republic of China, including supporting the efforts of Taiwan to develop and integrate asymmetric capabilities, as appropriate, including mobile, survivable, and cost-effective capabilities, into its military forces”; and</content></subparagraph>
<subparagraph identifier="/us/resolution/116/sconres/13/2/B" id="HAEFA48A044B64B078E9B611405499B7F" class="indent2"><num value="B">(B) </num><content>“encourage the travel of high-level United States officials to Taiwan, in accordance with the Taiwan Travel Act”: Now, therefore, be it</content></subparagraph></paragraph></recital><resolvingClause><i>Resolved by the Senate (the House of Representatives concurring), </i></resolvingClause></preamble><section id="H16DF66D1A0824B759EDAE3D89DAE509C" class="inline"><chapeau class="inline">That Congress—</chapeau>
<paragraph identifier="/us/resolution/116/sconres/13/s/1" id="H2EF6D4EE443C458C83795D125F5832A1" class="indent1"><num value="1">(1) </num><content>reaffirms that the Taiwan Relations Act and the Six Assurances are, and will remain, cornerstones of United States relations with Taiwan;</content></paragraph>
<paragraph identifier="/us/resolution/116/sconres/13/s/2" id="HBAF543D00FFB4675B48A1BC0DF80AE11" class="indent1"><num value="2">(2) </num><content>encourages United States officials at all levels to travel to meet with their counterparts in Taiwan, and for high-level Taiwan officials to enter the United States and meet with United States officials, in accordance with the Taiwan Travel Act;</content></paragraph>
<paragraph identifier="/us/resolution/116/sconres/13/s/3" id="H126ACC2D299545079EFA8D8FD453328B" class="indent1"><num value="3">(3) </num><content>reiterates that the President should conduct regular transfers of defense articles to Taiwan consistent with Taiwans national security requirements in accordance with existing law, including the Asia Reassurance Initiative Act of 2018 (<ref href="/us/pl/115/409">Public Law 115409</ref>);</content></paragraph>
<paragraph identifier="/us/resolution/116/sconres/13/s/4" id="H2E5A3F790ABA448F9665ED27E727F0DE" class="indent1"><num value="4">(4) </num><content>calls upon the Secretary of State to actively engage internationally in support of Taiwans meaningful participation in international organizations engaged in addressing transnational threats and challenges such as those related to health, aviation security, and crime and terrorism;</content></paragraph>
<paragraph identifier="/us/resolution/116/sconres/13/s/5" id="H89718FAE81C8421CBCEA71ABAFC69196" class="indent1"><num value="5">(5) </num><content>recognizes Taiwans partnership in combating global terrorism, including as a full partner in the Global Coalition to Defeat ISIS, and in addressing other global challenges through the Global Cooperation and Training Framework and similar initiatives;</content></paragraph>
<paragraph identifier="/us/resolution/116/sconres/13/s/6" id="H2C34A936BBB44FC1AE6AEBE968CBA19C" class="indent1"><num value="6">(6) </num><content>urges the President to explore opportunities to expand and deepen bilateral economic and trade relations with Taiwan;</content></paragraph>
<paragraph identifier="/us/resolution/116/sconres/13/s/7" id="HF02E4A5C3A8F4BF2BB35358A0EE55270" class="indent1"><num value="7">(7) </num><content>underscores the importance of the close people-to-people ties cultivated through initiatives such as the Fulbright Program, which has supported thousands of scholar and grantee exchanges between the United States and Taiwan for 60 years;</content></paragraph>
<paragraph identifier="/us/resolution/116/sconres/13/s/8" id="HE962A2963A904E54842BC46DDA94D711" class="indent1"><num value="8">(8) </num><content>welcomes the inclusion of Taiwan into the United States visa waiver program and U.S. Customs and Border Protections Global Entry Program to make it easier for those traveling from Taiwan to visit the United States; and</content></paragraph>
<paragraph identifier="/us/resolution/116/sconres/13/s/9" id="H5DAF8E1075974E7CA411B32228478E7E" class="indent1"><num value="9">(9) </num><content>acknowledges the important work done by the American Institute in Taiwan and the Taipei Economic and Cultural Representative Office in support of United States-Taiwan interests.</content></paragraph></section></main>
<attestation><action><actionDescription>Passed the Senate </actionDescription><date date="2019-04-30" meta="chamber:Senate">April 30, 2019</date>.</action>
<signatures>
<signature><notation type="attestation">Attest: </notation><role>Secretary</role>.</signature></signatures></attestation>
<endorsement orientation="landscape"><congress value="116">116th CONGRESS</congress><session value="1">1st Session</session><dc:type>S. CON. RES. </dc:type><docNumber>13</docNumber><longTitle><docTitle>CONCURRENT RESOLUTION</docTitle><officialTitle>Reaffirming the United States commitment to Taiwan and to the implementation of the Taiwan Relations Act.</officialTitle></longTitle></endorsement></resolution>

View File

@@ -0,0 +1,66 @@
<?xml version="1.0" encoding="UTF-8"?><?xml-stylesheet type="text/css" href="uslm.css"?><resolution xmlns="http://schemas.gpo.gov/xml/uslm" xmlns:dc="http://purl.org/dc/elements/1.1/" xmlns:html="http://www.w3.org/1999/xhtml" xmlns:uslm="http://schemas.gpo.gov/xml/uslm" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://schemas.gpo.gov/xml/uslm uslm-2.1.0.xsd" xml:lang="en"><!--Disclaimer: Legislative measures that include compacts or other non-standard data structures will require additional modeling and may contain inconsistencies in the converted USLM XML.--> <meta>
<dc:title>116 SCONRES 13 RFH: Reaffirming the United States commitment to Taiwan and to the implementation of the Taiwan Relations Act.</dc:title>
<dc:type>Senate Concurrent Resolution</dc:type>
<docNumber>13</docNumber>
<citableAs>116 SCONRES 13 RFH</citableAs>
<citableAs>116sconres13rfh</citableAs>
<citableAs>116 S. Con. Res. 13 RFH</citableAs>
<docStage>Referred in House</docStage>
<currentChamber>HOUSE</currentChamber>
<dc:creator>United States House of Representatives</dc:creator>
<processedBy>GPO XPub Bill to USLM Generator, version 0.5 + manual changes</processedBy>
<processedDate>2024-09-09</processedDate>
<dc:publisher>United States Government Publishing Office</dc:publisher>
<dc:format>text/xml</dc:format>
<dc:language>EN</dc:language>
<dc:rights>Pursuant to Title 17 Section 105 of the United States Code, this file is not subject to copyright protection and is in the public domain.</dc:rights>
<congress>116</congress>
<session>1</session>
<publicPrivate>public</publicPrivate></meta>
<preface>
<slugLine> SCON 13 RFH</slugLine>
<distributionCode display="yes">IV</distributionCode>
<congress value="116">116th CONGRESS</congress>
<session value="1">1st Session</session>
<dc:type>S. CON. RES. </dc:type>
<docNumber>13</docNumber>
<currentChamber value="HOUSE">IN THE HOUSE OF REPRESENTATIVES</currentChamber>
<action><date><inline class="smallCaps">May </inline>2, 2019</date><actionDescription>Referred to the <committee committeeId="HFA00">Committee on Foreign Affairs</committee>, and in addition to the <committee committeeId="HJU00">Committees on the Judiciary</committee>, <committee committeeId="HHM00">Homeland Security</committee>, and <committee committeeId="HWM00">Ways and Means</committee>, for a period to be subsequently determined by the Speaker, in each case for consideration of such provisions as fall within the jurisdiction of the committee concerned </actionDescription></action></preface>
<main id="H485004494A29487F9AC8D2602647788A" styleType="traditional"><longTitle><docTitle>CONCURRENT RESOLUTION</docTitle><officialTitle>Reaffirming the United States commitment to Taiwan and to the implementation of the Taiwan Relations Act.</officialTitle></longTitle><preamble>
<recital>Whereas the Taiwan Relations Act (referred to in this resolution as the “TRA”), which was signed into law on April 10, 1979, codified into law the basis for continued commercial, cultural, and other relations between the people of the United States and the people of Taiwan, and serves as the foundation to preserve and promote continued bilateral bonds;</recital>
<recital>Whereas the TRA enshrines the United States commitment to make available to Taiwan such defense articles and defense services in such quantity as may be necessary to enable Taiwan to maintain a sufficient self-defense capability;</recital>
<recital>Whereas pursuant to section 1206 of the Foreign Relations Authorization Act, Fiscal Year 2003 (<ref href="/us/pl/107/228">Public Law 107228</ref>; <ref href="/us/usc/t22/s2321k">22 U.S.C. 2321k note</ref>), Taiwan is to be treated as though it were designated a major non-NATO ally for transfers of defense articles or defense services;</recital>
<recital>Whereas in 1982, President Ronald Reagan further clarified the importance and resilience of the United States-Taiwan relationship by agreeing to the Six Assurances;</recital>
<recital><p class="inline">Whereas the TRA and the Six Assurances are cornerstones of United States policy with respect to Taiwan, as was reaffirmed—</p>
<paragraph identifier="/us/resolution/116/sconres/13/1" id="idA39984730A6941E88AFBEAD535EA35DD" class="indent1"><num value="1">(1) </num><content>by the House of Representatives with the adoption of H. Con. Res. 88 on May 16, 2016; and</content></paragraph>
<paragraph identifier="/us/resolution/116/sconres/13/2" id="id610E553DCC984E48A968D8C524D59F82" class="indent1"><num value="2">(2) </num><content>by the Senate with the adoption of S. Con. Res. 38 on July 6, 2016;</content></paragraph></recital>
<recital>Whereas the TRA and the Six Assurances have been essential components in helping to maintain peace, security, and stability in the Western Pacific, thereby furthering the political, security, and economic interests of the United States and Taiwan;</recital>
<recital><p class="inline">Whereas the United States and Taiwan have forged ever closer economic and security relations during the last 4 decades based on—</p>
<paragraph identifier="/us/resolution/116/sconres/13/1" id="id3CD185CC6A2F4391936E1D1989DD6FFA" class="indent1"><num value="1">(1) </num><content>their shared commitment to democracy, human rights, the rule of law, and free market principles; and</content></paragraph>
<paragraph identifier="/us/resolution/116/sconres/13/2" id="idA4EA249C9C3741B885853567BB93062C" class="indent1"><num value="2">(2) </num><content>their willingness to partner in efforts to combat global terrorism and to address other global challenges, such as challenges related to the environment, public health, energy security, education, womens empowerment, digital economy, poverty, and natural disasters;</content></paragraph></recital>
<recital>Whereas the United States-Taiwan global partnership was further strengthened in June 2015, with a memorandum of understanding between the American Institute in Taiwan and the Taipei Economic and Cultural Representative Office in the United States, which established the Global Cooperation and Training Framework, and has allowed the 2 parties to cohost many workshops on critical topics, including a December 2018 workshop on humanitarian assistance and disaster relief that was attended by 10 regional governments;</recital>
<recital>Whereas Taiwan has the expertise, willingness, and capability to engage in international efforts to mitigate global challenges related to such issues as public health, aviation safety, crime, and terrorism, but its participation in such efforts has been constrained by conditions imposed by the Peoples Republic of China;</recital>
<recital>Whereas successive Congresses have called upon the executive branch to develop strategies to obtain meaningful participation for Taiwan in international organizations, such as the World Health Organization, the International Civil Aviation Organization, and the International Criminal Police Organization (commonly known as “IN­TER­POL”);</recital>
<recital>Whereas the House of Representatives passed H.R. 353 on January 22, 2019, which expresses support for Taiwans participation at the World Health Organizations World Health Assembly as an observer;</recital>
<recital>Whereas communication on bilateral security, cultural, and commercial interests would be greatly enhanced with the full implementation of the Taiwan Travel Act (<ref href="/us/pl/115/135">Public Law 115135</ref>), which was signed into law on March 16, 2018, and which states “the United States Government should encourage visits between officials from the United States and Taiwan at all levels”;</recital>
<recital><p class="inline">Whereas the United States and Taiwan have built a strong economic partnership in which—</p>
<paragraph identifier="/us/resolution/116/sconres/13/1" id="id1BA75C3AE9A44001ABA4BF49FBAB5F03" class="indent1"><num value="1">(1) </num><content>the United States is Taiwans third largest trading partner; and</content></paragraph>
<paragraph identifier="/us/resolution/116/sconres/13/2" id="id0AA1A687A110495CA06165F633BDA1D5" class="indent1"><num value="2">(2) </num><content>Taiwan is the 11th largest trading partner of the United States and a key destination for United States agricultural exports;</content></paragraph></recital>
<recital>Whereas strong United States-Taiwan economic relations have been a positive factor in stimulating economic growth and job creation for the people of the United States and of Taiwan; and</recital>
<recital><p class="inline">Whereas successive Congresses have publicly reaffirmed United States commitments to Taiwan under the Taiwan Relations Act and Six Assurances, including most recently on December 31, 2018, with the enactment into law of the Asia Reassurance Initiative Act of 2018 (<ref href="/us/pl/115/409">Public Law 115409</ref>), which states that—</p>
<paragraph identifier="/us/resolution/116/sconres/13/1" id="HEE8C9731C98649E98E99FC5662397B65" class="indent1"><num value="1">(1) </num><content>it is United States policy “to support the close economic, political, and security relationship between Taiwan and the United States”; and</content></paragraph>
<paragraph identifier="/us/resolution/116/sconres/13/2" id="HD56526C8FB8142A1915C8BE1A17C26BC" class="indent1"><num value="2">(2) </num><chapeau>the President should—</chapeau>
<subparagraph identifier="/us/resolution/116/sconres/13/2/A" id="id5E1CBAC4ED72465989836D4D7270B9A6" class="indent2"><num value="A">(A) </num><content>“conduct regular transfers of defense articles to Taiwan that are tailored to meet the existing and likely future threats from the Peoples Republic of China, including supporting the efforts of Taiwan to develop and integrate asymmetric capabilities, as appropriate, including mobile, survivable, and cost-effective capabilities, into its military forces”; and</content></subparagraph>
<subparagraph identifier="/us/resolution/116/sconres/13/2/B" id="HAEFA48A044B64B078E9B611405499B7F" class="indent2"><num value="B">(B) </num><content>“encourage the travel of high-level United States officials to Taiwan, in accordance with the Taiwan Travel Act”: Now, therefore, be it</content></subparagraph></paragraph></recital><resolvingClause><i>Resolved by the Senate (the House of Representatives concurring), </i></resolvingClause></preamble><section id="H16DF66D1A0824B759EDAE3D89DAE509C" class="inline"><chapeau class="inline">That Congress—</chapeau>
<paragraph identifier="/us/resolution/116/sconres/13/s/1" id="H2EF6D4EE443C458C83795D125F5832A1" class="indent1"><num value="1">(1) </num><content>reaffirms that the Taiwan Relations Act and the Six Assurances are, and will remain, cornerstones of United States relations with Taiwan;</content></paragraph>
<paragraph identifier="/us/resolution/116/sconres/13/s/2" id="HBAF543D00FFB4675B48A1BC0DF80AE11" class="indent1"><num value="2">(2) </num><content>encourages United States officials at all levels to travel to meet with their counterparts in Taiwan, and for high-level Taiwan officials to enter the United States and meet with United States officials, in accordance with the Taiwan Travel Act;</content></paragraph>
<paragraph identifier="/us/resolution/116/sconres/13/s/3" id="H126ACC2D299545079EFA8D8FD453328B" class="indent1"><num value="3">(3) </num><content>reiterates that the President should conduct regular transfers of defense articles to Taiwan consistent with Taiwans national security requirements in accordance with existing law, including the Asia Reassurance Initiative Act of 2018 (<ref href="/us/pl/115/409">Public Law 115409</ref>);</content></paragraph>
<paragraph identifier="/us/resolution/116/sconres/13/s/4" id="H2E5A3F790ABA448F9665ED27E727F0DE" class="indent1"><num value="4">(4) </num><content>calls upon the Secretary of State to actively engage internationally in support of Taiwans meaningful participation in international organizations engaged in addressing transnational threats and challenges such as those related to health, aviation security, and crime and terrorism;</content></paragraph>
<paragraph identifier="/us/resolution/116/sconres/13/s/5" id="H89718FAE81C8421CBCEA71ABAFC69196" class="indent1"><num value="5">(5) </num><content>recognizes Taiwans partnership in combating global terrorism, including as a full partner in the Global Coalition to Defeat ISIS, and in addressing other global challenges through the Global Cooperation and Training Framework and similar initiatives;</content></paragraph>
<paragraph identifier="/us/resolution/116/sconres/13/s/6" id="H2C34A936BBB44FC1AE6AEBE968CBA19C" class="indent1"><num value="6">(6) </num><content>urges the President to explore opportunities to expand and deepen bilateral economic and trade relations with Taiwan;</content></paragraph>
<paragraph identifier="/us/resolution/116/sconres/13/s/7" id="HF02E4A5C3A8F4BF2BB35358A0EE55270" class="indent1"><num value="7">(7) </num><content>underscores the importance of the close people-to-people ties cultivated through initiatives such as the Fulbright Program, which has supported thousands of scholar and grantee exchanges between the United States and Taiwan for 60 years;</content></paragraph>
<paragraph identifier="/us/resolution/116/sconres/13/s/8" id="HE962A2963A904E54842BC46DDA94D711" class="indent1"><num value="8">(8) </num><content>welcomes the inclusion of Taiwan into the United States visa waiver program and U.S. Customs and Border Protections Global Entry Program to make it easier for those traveling from Taiwan to visit the United States; and</content></paragraph>
<paragraph identifier="/us/resolution/116/sconres/13/s/9" id="H5DAF8E1075974E7CA411B32228478E7E" class="indent1"><num value="9">(9) </num><content>acknowledges the important work done by the American Institute in Taiwan and the Taipei Economic and Cultural Representative Office in support of United States-Taiwan interests.</content></paragraph></section></main>
<attestation><action><actionDescription>Passed the Senate </actionDescription><date date="2019-04-30" meta="chamber:Senate">April 30, 2019</date>.</action>
<signatures>
<signature><notation type="attestation">Attest: </notation><name>JULIE E. ADAMS,</name><role>Secretary</role>.</signature></signatures></attestation></resolution>

View File

@@ -0,0 +1,32 @@
<?xml version="1.0" encoding="UTF-8"?><?xml-stylesheet type="text/css" href="uslm.css"?><resolution xmlns="http://schemas.gpo.gov/xml/uslm" xmlns:dc="http://purl.org/dc/elements/1.1/" xmlns:html="http://www.w3.org/1999/xhtml" xmlns:uslm="http://schemas.gpo.gov/xml/uslm" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://schemas.gpo.gov/xml/uslm uslm-2.1.0.xsd" xml:lang="en"><!--Disclaimer: Legislative measures that include compacts or other non-standard data structures will require additional modeling and may contain inconsistencies in the converted USLM XML.--> <meta>
<dc:title>116 SCONRES 14 ENR: Authorizing the use of Emancipation Hall in the Capitol Visitor Center for an event to celebrate the birthday of King Kamehameha I.</dc:title>
<dc:type>Senate Concurrent Resolution</dc:type>
<docNumber>14</docNumber>
<citableAs>116 SCONRES 14 ENR</citableAs>
<citableAs>116sconres14enr</citableAs>
<citableAs>116 S. Con. Res. 14 ENR</citableAs>
<docStage>Enrolled Bill</docStage>
<processedBy>GPO XPub Bill to USLM Generator, version 0.5 + manual changes</processedBy>
<processedDate>2024-09-09</processedDate>
<dc:publisher>United States Government Publishing Office</dc:publisher>
<dc:format>text/xml</dc:format>
<dc:language>EN</dc:language>
<dc:rights>Pursuant to Title 17 Section 105 of the United States Code, this file is not subject to copyright protection and is in the public domain.</dc:rights>
<congress>116</congress>
<session>1</session>
<publicPrivate>public</publicPrivate></meta>
<preface>
<dc:type>S. Con. Res. </dc:type>
<docNumber>14</docNumber>
<action><actionDescription>Agreed to</actionDescription> <date date="2019-05-22"><inline class="smallCaps">May </inline>22, 2019</date></action>
<congress value="116">One Hundred Sixteenth Congress of the United States of America</congress>
<session value="1">AT THE FIRST SESSION</session>
<enrolledDateline>Begun and held at the City of Washington on Thursday, the third day of January, two thousand and nineteen</enrolledDateline></preface>
<main styleType="OLC"><longTitle><docTitle>Concurrent Resolution</docTitle></longTitle><resolvingClause><i>Resolved by the Senate (the House of Representatives concurring), </i></resolvingClause>
<section identifier="/us/resolution/116/sconres/14/s1" id="id80d8eb9fb16644c58ffebfec41163129"><num value="1">SECTION 1. </num><heading>USE OF EMANCIPATION HALL FOR EVENT TO CELEBRATE BIRTHDAY OF KING KAMEHAMEHA I.</heading>
<subsection identifier="/us/resolution/116/sconres/14/s1/a" id="idd7b5f69df61d43fea0963c4d49ea828d" class="indent0"><num value="a">(a) </num><heading><inline class="smallCaps">Authorization</inline>.—</heading><content>Emancipation Hall in the Capitol Visitor Center is authorized to be used on June 9, 2019, for an event to celebrate the birthday of King Kamehameha I.</content></subsection>
<subsection identifier="/us/resolution/116/sconres/14/s1/b" id="id5a54f84e991d4efa974503624995a785" class="indent0"><num value="b">(b) </num><heading><inline class="smallCaps">Preparations</inline>.—</heading><content>Physical preparations for the conduct of the event described in subsection (a) shall be carried out in accordance with such conditions as may be prescribed by the Architect of the Capitol.</content></subsection></section></main>
<signatures>
<signature><notation type="attestation">Attest: </notation><role>Secretary of the Senate</role>.</signature></signatures>
<signatures>
<signature><notation type="attestation">Attest: </notation><role>Clerk of the House of Representatives</role>.</signature></signatures></resolution>

View File

@@ -0,0 +1,30 @@
<?xml version="1.0" encoding="UTF-8"?><?xml-stylesheet type="text/css" href="uslm.css"?><resolution xmlns="http://schemas.gpo.gov/xml/uslm" xmlns:dc="http://purl.org/dc/elements/1.1/" xmlns:html="http://www.w3.org/1999/xhtml" xmlns:uslm="http://schemas.gpo.gov/xml/uslm" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://schemas.gpo.gov/xml/uslm uslm-2.1.0.xsd" xml:lang="en"><!--Disclaimer: Legislative measures that include compacts or other non-standard data structures will require additional modeling and may contain inconsistencies in the converted USLM XML.--> <meta>
<dc:title>116 SJRES 10 IS: Relating to a national emergency declared by the President on February 15, 2019.</dc:title>
<dc:type>Senate Joint Resolution</dc:type>
<docNumber>10</docNumber>
<citableAs>116 SJRES 10 IS</citableAs>
<citableAs>116sjres10is</citableAs>
<citableAs>116 S. J. Res. 10 IS</citableAs>
<docStage>Introduced in Senate</docStage>
<currentChamber>SENATE</currentChamber>
<dc:creator>United States Senate</dc:creator>
<processedBy>GPO XPub Bill to USLM Generator, version 0.5 + manual changes</processedBy>
<processedDate>2024-09-09</processedDate>
<dc:publisher>United States Government Publishing Office</dc:publisher>
<dc:format>text/xml</dc:format>
<dc:language>EN</dc:language>
<dc:rights>Pursuant to Title 17 Section 105 of the United States Code, this file is not subject to copyright protection and is in the public domain.</dc:rights>
<congress>116</congress>
<session>1</session>
<publicPrivate>public</publicPrivate></meta>
<preface>
<slugLine>•SJ 10 IS</slugLine>
<distributionCode display="yes">IIA</distributionCode>
<congress value="116">116th CONGRESS</congress>
<session value="1">1st Session</session>
<dc:type>S. J. RES. </dc:type>
<docNumber>10</docNumber>
<dc:title>Relating to a national emergency declared by the President on February 15, 2019.</dc:title>
<currentChamber value="SENATE">IN THE SENATE OF THE UNITED STATES</currentChamber>
<action><date date="2019-02-28"><inline class="smallCaps">February </inline>28, 2019</date><actionDescription><sponsor senateId="S326">Mr. <inline class="smallCaps">Udall</inline></sponsor> (for himself, <cosponsor senateId="S252">Ms. <inline class="smallCaps">Collins</inline></cosponsor>, <cosponsor senateId="S324">Mrs. <inline class="smallCaps">Shaheen</inline></cosponsor>, and <cosponsor senateId="S288">Ms. <inline class="smallCaps">Murkowski</inline></cosponsor>) introduced the following joint resolution; which was read twice and referred to the <committee committeeId="SSAS00">Committee on Armed Services</committee></actionDescription></action></preface>
<main id="H34E0F1C6407A496CB2AF9492A93AE213" styleType="traditional"><longTitle><docTitle>JOINT RESOLUTION</docTitle><officialTitle>Relating to a national emergency declared by the President on February 15, 2019.</officialTitle></longTitle><resolvingClause class="inline"><i>Resolved by the Senate and House of Representatives of the United States of America in Congress assembled, </i></resolvingClause><section id="H7B4493397A374AB99C2CE8564D2024A6" class="inline"><content class="inline">That, pursuant to section 202 of the National Emergencies Act (<ref href="/us/usc/t50/s1622">50 U.S.C. 1622</ref>), the national emergency declared by the finding of the President on February 15, 2019, in Proclamation 9844 (<ref href="/us/fr/84/4949">84 Fed. Reg. 4949</ref>) is hereby terminated.</content></section></main><endMarker>○</endMarker></resolution>

View File

@@ -0,0 +1,34 @@
<?xml version="1.0" encoding="UTF-8"?><?xml-stylesheet type="text/css" href="uslm.css"?><resolution xmlns="http://schemas.gpo.gov/xml/uslm" xmlns:dc="http://purl.org/dc/elements/1.1/" xmlns:html="http://www.w3.org/1999/xhtml" xmlns:uslm="http://schemas.gpo.gov/xml/uslm" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://schemas.gpo.gov/xml/uslm uslm-2.1.0.xsd" xml:lang="en"><!--Disclaimer: Legislative measures that include compacts or other non-standard data structures will require additional modeling and may contain inconsistencies in the converted USLM XML.--> <meta>
<dc:title>116 SJRES 14 IS: Proposing an amendment to the Constitution of the United States to require that the Supreme Court of the United States be composed of not more than 9 justices.</dc:title>
<dc:type>Senate Joint Resolution</dc:type>
<docNumber>14</docNumber>
<citableAs>116 SJRES 14 IS</citableAs>
<citableAs>116sjres14is</citableAs>
<citableAs>116 S. J. Res. 14 IS</citableAs>
<docStage>Introduced in Senate</docStage>
<currentChamber>SENATE</currentChamber>
<dc:creator>United States Senate</dc:creator>
<processedBy>GPO XPub Bill to USLM Generator, version 0.5 + manual changes</processedBy>
<processedDate>2024-09-09</processedDate>
<dc:publisher>United States Government Publishing Office</dc:publisher>
<dc:format>text/xml</dc:format>
<dc:language>EN</dc:language>
<dc:rights>Pursuant to Title 17 Section 105 of the United States Code, this file is not subject to copyright protection and is in the public domain.</dc:rights>
<congress>116</congress>
<session>1</session>
<publicPrivate>public</publicPrivate></meta>
<preface>
<slugLine>•SJ 14 IS</slugLine>
<distributionCode display="yes">IIA</distributionCode>
<congress value="116">116th CONGRESS</congress>
<session value="1">1st Session</session>
<dc:type>S. J. RES. </dc:type>
<docNumber>14</docNumber>
<dc:title> Proposing an amendment to the Constitution of the United States to require that the Supreme Court of the United States be composed of not more than 9 justices.</dc:title>
<currentChamber value="SENATE">IN THE SENATE OF THE UNITED STATES</currentChamber>
<action><date date="2019-03-25"><inline class="smallCaps">March </inline>25, 2019</date><actionDescription><sponsor senateId="S350">Mr. <inline class="smallCaps">Rubio</inline></sponsor> (for himself, <cosponsor senateId="S351">Mr. <inline class="smallCaps">Toomey</inline></cosponsor>, <cosponsor senateId="S398">Mr. <inline class="smallCaps">Cramer</inline></cosponsor>, <cosponsor senateId="S396">Mrs. <inline class="smallCaps">Blackburn</inline></cosponsor>, <cosponsor senateId="S391">Mr. <inline class="smallCaps">Young</inline></cosponsor>, <cosponsor senateId="S395">Mrs. <inline class="smallCaps">Hyde-Smith</inline></cosponsor>, <cosponsor senateId="S344">Mr. <inline class="smallCaps">Hoeven</inline></cosponsor>, <cosponsor senateId="S346">Mr. <inline class="smallCaps">Lee</inline></cosponsor>, <cosponsor senateId="S382">Mr. <inline class="smallCaps">Sasse</inline></cosponsor>, <cosponsor senateId="S401">Mr. <inline class="smallCaps">Romney</inline></cosponsor>, <cosponsor senateId="S266">Mr. <inline class="smallCaps">Crapo</inline></cosponsor>, <cosponsor senateId="S372">Mrs. <inline class="smallCaps">Capito</inline></cosponsor>, and <cosponsor senateId="S375">Mr. <inline class="smallCaps">Daines</inline></cosponsor>) introduced the following joint resolution; which was read twice and referred to the <committee committeeId="SSJU00">Committee on the Judiciary</committee></actionDescription></action></preface>
<main styleType="OLC"><longTitle><docTitle>JOINT RESOLUTION</docTitle><officialTitle> Proposing an amendment to the Constitution of the United States to require that the Supreme Court of the United States be composed of not more than 9 justices.</officialTitle></longTitle><preamble>
<recital>Now, therefore, be it</recital><resolvingClause><i>Resolved by the Senate and House of Representatives of the United States of America in Congress assembled (two-thirds of each House concurring therein), </i></resolvingClause></preamble><section id="id72358907658303873611" class="inline"><content class="inline">That the following article is proposed as an amendment to the Constitution of the United States, which shall be valid to all intents and purposes as part of the Constitution when ratified by the legislatures of three-fourths of the several States within seven years after the date of its submission by the Congress:
<quotedContent id="ID1629239E7133467AA2CE74BA22185E08" styleType="constitutional-amendment"><article id="ID3F77DAE6D065403FBFBC59A6F7E765CA"><num value="">“Article—</num>
<section id="ID7C3A6CD4A4984BC397A8E8CB2E990D9A"><num value="1"><inline class="smallCaps">“Section 1. </inline></num><content class="inline">The Supreme Court of the United States shall be composed of not more than 9 justices.</content></section>
<section id="id33B4A6FDB5654CE3A898DB3772CEF4CE"><num value="2"><inline class="smallCaps">“Section 2. </inline></num><content class="inline">The Congress shall have the power to enforce this article by appropriate legislation.”</content></section></article></quotedContent><inline role="after-quoted-block">.</inline></content></section></main><endMarker>○</endMarker></resolution>

View File

@@ -0,0 +1,32 @@
<?xml version="1.0" encoding="UTF-8"?><?xml-stylesheet type="text/css" href="uslm.css"?><resolution xmlns="http://schemas.gpo.gov/xml/uslm" xmlns:dc="http://purl.org/dc/elements/1.1/" xmlns:html="http://www.w3.org/1999/xhtml" xmlns:uslm="http://schemas.gpo.gov/xml/uslm" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://schemas.gpo.gov/xml/uslm uslm-2.1.0.xsd" xml:lang="en"><!--Disclaimer: Legislative measures that include compacts or other non-standard data structures will require additional modeling and may contain inconsistencies in the converted USLM XML.--> <meta>
<dc:title>116 SJRES 27 ES: Providing for congressional disapproval of the proposed transfer to the United Arab Emirates, United Kingdom, and Australia certain defense articles and services.</dc:title>
<dc:type>Senate Joint Resolution</dc:type>
<docNumber>27</docNumber>
<citableAs>116 SJRES 27 ES</citableAs>
<citableAs>116sjres27es</citableAs>
<citableAs>116 S. J. Res. 27 ES</citableAs>
<docStage>Engrossed in Senate</docStage>
<currentChamber>SENATE</currentChamber>
<dc:creator>United States Senate</dc:creator>
<processedBy>GPO XPub Bill to USLM Generator, version 0.5 + manual changes</processedBy>
<processedDate>2024-09-09</processedDate>
<dc:publisher>United States Government Publishing Office</dc:publisher>
<dc:format>text/xml</dc:format>
<dc:language>EN</dc:language>
<dc:rights>Pursuant to Title 17 Section 105 of the United States Code, this file is not subject to copyright protection and is in the public domain.</dc:rights>
<congress>116</congress>
<session>1</session>
<publicPrivate>public</publicPrivate></meta>
<preface>
<slugLine>†SJ 27 ES</slugLine>
<congress value="116">116th CONGRESS</congress>
<session value="1">1st Session</session>
<dc:type>S. J. RES. </dc:type>
<docNumber>27</docNumber>
<currentChamber value="SENATE" display="no">IN THE SENATE OF THE UNITED STATES</currentChamber></preface>
<main styleType="OLC"><longTitle><docTitle>JOINT RESOLUTION</docTitle><officialTitle>Providing for congressional disapproval of the proposed transfer to the United Arab Emirates, United Kingdom, and Australia certain defense articles and services.</officialTitle></longTitle><resolvingClause><i>Resolved by the Senate and House of Representatives of the United States of America in Congress assembled, </i></resolvingClause><section id="S1" class="inline"><chapeau class="inline">That the issuance of an export license with respect to the following proposed exports to the United Arab Emirates, United Kingdom, and Australia is prohibited:</chapeau>
<paragraph identifier="/us/resolution/116/sjres/27/s/1" id="id2e202b0e8527459fb10f367fd42a471f" class="indent1"><num value="1">(1) </num><content>The transfer of the following defense articles, including services and technical data, described in Executive Communication 1424 (EC1424) submitted to Congress pursuant to section 36(c) of the Arms Export Control Act (<ref href="/us/usc/t22/s2776/c">22 U.S.C. 2776(c)</ref>) and published in the Congressional Record on June 3, 2019: The proposed transfer of defense articles, defense services, and technical data to support the marketing, sale and on-going support for the ScanEagle and Integrator Unmanned Aerial Systems and for future Intelligence, Surveillance, and Reconnaissance (ISR) requirements for end-use by the United Arab Emirates Armed Forces; and hardware and defense services related to Wide Area Surveillance Payload (Redkite), laser designator, and integration of maritime search payload—Visual Detection and Ranging (ViDAR).</content></paragraph></section></main>
<attestation><action><actionDescription>Passed the Senate </actionDescription><date date="2019-06-20" meta="chamber:Senate">June 20, 2019</date>.</action>
<signatures>
<signature><notation type="attestation">Attest: </notation><role>Secretary</role>.</signature></signatures></attestation>
<endorsement orientation="landscape"><congress value="116">116th CONGRESS</congress><session value="1">1st Session</session><dc:type>S. J. RES. </dc:type><docNumber>27</docNumber><longTitle><docTitle>JOINT RESOLUTION</docTitle><officialTitle>Providing for congressional disapproval of the proposed transfer to the United Arab Emirates, United Kingdom, and Australia certain defense articles and services.</officialTitle></longTitle></endorsement></resolution>

View File

@@ -0,0 +1,34 @@
<?xml version="1.0" encoding="UTF-8"?><?xml-stylesheet type="text/css" href="uslm.css"?><resolution xmlns="http://schemas.gpo.gov/xml/uslm" xmlns:dc="http://purl.org/dc/elements/1.1/" xmlns:html="http://www.w3.org/1999/xhtml" xmlns:uslm="http://schemas.gpo.gov/xml/uslm" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://schemas.gpo.gov/xml/uslm uslm-2.1.0.xsd" xml:lang="en"><!--Disclaimer: Legislative measures that include compacts or other non-standard data structures will require additional modeling and may contain inconsistencies in the converted USLM XML.--> <meta>
<dc:title>116 SJRES 2 PCS: Disapproving the Presidents proposal to take an action relating to the application of certain sanctions with respect to the Russian Federation.</dc:title>
<dc:type>Senate Joint Resolution</dc:type>
<docNumber>2</docNumber>
<citableAs>116 SJRES 2 PCS</citableAs>
<citableAs>116sjres2pcs</citableAs>
<citableAs>116 S. J. Res. 2 PCS</citableAs>
<docStage>Placed on Calendar Senate</docStage>
<currentChamber>SENATE</currentChamber>
<dc:creator>United States Senate</dc:creator>
<processedBy>GPO XPub Bill to USLM Generator, version 0.5 + manual changes</processedBy>
<processedDate>2024-09-09</processedDate>
<dc:publisher>United States Government Publishing Office</dc:publisher>
<dc:format>text/xml</dc:format>
<dc:language>EN</dc:language>
<dc:rights>Pursuant to Title 17 Section 105 of the United States Code, this file is not subject to copyright protection and is in the public domain.</dc:rights>
<relatedDocument role="calendar" href="/us/116/scal/13">Calendar No. 13</relatedDocument>
<congress>116</congress>
<session>1</session>
<publicPrivate>public</publicPrivate></meta>
<preface>
<slugLine> SJ 2 PCS</slugLine>
<distributionCode display="yes">IIA</distributionCode>
<relatedDocument role="calendar" href="/us/116/scal/13">Calendar No. 13</relatedDocument>
<congress value="116">116th CONGRESS</congress>
<session value="1">1st Session</session>
<dc:type>S. J. RES. </dc:type>
<docNumber>2</docNumber>
<dc:title>Disapproving the Presidents proposal to take an action relating to the application of certain sanctions with respect to the Russian Federation.</dc:title>
<currentChamber value="SENATE">IN THE SENATE OF THE UNITED STATES</currentChamber>
<action><date date="2019-01-05"><inline class="smallCaps">January </inline>4, 2019</date><actionDescription><sponsor senateId="S270">Mr. <inline class="smallCaps">Schumer</inline></sponsor> introduced the following joint resolution; which was read twice and referred to the <committee committeeId="SSBK00">Committee on Banking, Housing, and Urban Affairs</committee></actionDescription></action>
<action><date><inline class="smallCaps">January </inline>15, 2019</date><actionDescription>Committee discharged pursuant to section 216(c)(5)(B) of Public Law 11544 and placed on the calendar</actionDescription></action></preface>
<main styleType="OLC"><longTitle><docTitle>JOINT RESOLUTION</docTitle><officialTitle>Disapproving the Presidents proposal to take an action relating to the application of certain sanctions with respect to the Russian Federation.</officialTitle></longTitle><resolvingClause class="inline"><i>Resolved by the Senate and House of Representatives of the United States of America in Congress assembled, </i></resolvingClause><section id="S1" class="inline"><content class="inline">That Congress disapproves of the action relating to the application of sanctions imposed with respect to the Russian Federation proposed by the President in the report submitted to Congress under section 216(a)(1) of the Russia Sanctions Review Act of 2017 on December 19, 2018, relating to terminating sanctions imposed on En+ Group plc (“En+”), UC Rusal plc (“Rusal”), and JSC EuroSibEnergo (“ESE”).</content></section></main>
<endorsement orientation="landscape"><relatedDocument role="calendar" href="/us/116/scal/13">Calendar No. 13</relatedDocument><congress value="116">116th CONGRESS</congress><session value="1">1st Session</session><dc:type>S. J. RES. </dc:type><docNumber>2</docNumber><longTitle><docTitle>JOINT RESOLUTION</docTitle><officialTitle>Disapproving the Presidents proposal to take an action relating to the application of certain sanctions with respect to the Russian Federation.</officialTitle></longTitle><action><date date="2019-01-15"><inline class="smallCaps">January </inline>15, 2019</date><actionDescription>Committee discharged pursuant to section 216(c)(5)(B) of Public Law 11544 and placed on the calendar</actionDescription></action></endorsement></resolution>

View File

@@ -0,0 +1,32 @@
<?xml version="1.0" encoding="UTF-8"?><?xml-stylesheet type="text/css" href="uslm.css"?><resolution xmlns="http://schemas.gpo.gov/xml/uslm" xmlns:dc="http://purl.org/dc/elements/1.1/" xmlns:html="http://www.w3.org/1999/xhtml" xmlns:uslm="http://schemas.gpo.gov/xml/uslm" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://schemas.gpo.gov/xml/uslm uslm-2.1.0.xsd" xml:lang="en"><!--Disclaimer: Legislative measures that include compacts or other non-standard data structures will require additional modeling and may contain inconsistencies in the converted USLM XML.--> <meta>
<dc:title>116 SJRES 36 ENR: Providing for congressional disapproval of the proposed transfer to the Kingdom of Saudi Arabia, the United Kingdom of Great Britain and Northern Ireland, the Kingdom of Spain, and the Italian Republic of certain defense articles and services.</dc:title>
<dc:type>Senate Joint Resolution</dc:type>
<docNumber>36</docNumber>
<citableAs>116 SJRES 36 ENR</citableAs>
<citableAs>116sjres36enr</citableAs>
<citableAs>116 S. J. Res. 36 ENR</citableAs>
<docStage>Enrolled Bill</docStage>
<processedBy>GPO XPub Bill to USLM Generator, version 0.5 + manual changes</processedBy>
<processedDate>2024-09-09</processedDate>
<dc:publisher>United States Government Publishing Office</dc:publisher>
<dc:format>text/xml</dc:format>
<dc:language>EN</dc:language>
<dc:rights>Pursuant to Title 17 Section 105 of the United States Code, this file is not subject to copyright protection and is in the public domain.</dc:rights>
<congress>116</congress>
<session>1</session>
<publicPrivate>public</publicPrivate></meta>
<preface>
<dc:type>S. J. Res. </dc:type>
<docNumber>36</docNumber>
<congress value="116">One Hundred Sixteenth Congress of the United States of America</congress>
<session value="1">AT THE FIRST SESSION</session>
<enrolledDateline>Begun and held at the City of Washington on Thursday, the third day of January, two thousand and nineteen</enrolledDateline></preface>
<main styleType="OLC"><longTitle><docTitle>Joint Resolution</docTitle><officialTitle>Providing for congressional disapproval of the proposed transfer to the Kingdom of Saudi Arabia, the United Kingdom of Great Britain and Northern Ireland, the Kingdom of Spain, and the Italian Republic of certain defense articles and services.</officialTitle></longTitle><resolvingClause><i>Resolved by the Senate and House of Representatives of the United States of America in Congress assembled, </i></resolvingClause><section id="S1" class="inline"><chapeau class="inline">That the issuance of a manufacturing license, technical assistance license, or export license with respect to any of the following proposed agreements or transfers to the Kingdom of Saudi Arabia, the United Kingdom of Great Britain and Northern Ireland, the Kingdom of Spain, and the Italian Republic is prohibited:</chapeau>
<paragraph identifier="/us/resolution/116/sjres/36/s/1" id="idb6717d6911604398a17dca9e808e96ab" class="indent1"><num value="1">(1) </num><chapeau>The transfer of the following defense articles, including defense services and technical data, described in Executive Communication 1427 (EC1427) submitted to Congress pursuant to subsections (c) and (d) of section 36 of the Arms Export Control Act (<ref href="/us/usc/t22/s2776">22 U.S.C. 2776</ref>) and published in the Congressional Record on June 3, 2019:</chapeau>
<subparagraph identifier="/us/resolution/116/sjres/36/s/1/A" id="id0E6661108CD143CAA64187C9C022B766" class="indent2"><num value="A">(A) </num><content>Coproduction and manufacture in Saudi Arabia of Paveway Pre-Amp Circuit Card Assemblies (CCA), Guidance Electronics Assembly (GEA) CCAs, and Control Actuator System (CAS) CCAs for all Paveway variants.</content></subparagraph>
<subparagraph identifier="/us/resolution/116/sjres/36/s/1/B" id="idF3FD5F2E1FD8409B899CC0177E1A18B5" class="indent2"><num value="B">(B) </num><content>Coproduction and manufacture in Saudi Arabia of Paveway II Guidance Electronics Detector Assemblies (GEDA) and Computer Control Groups (CCG).</content></subparagraph>
<subparagraph identifier="/us/resolution/116/sjres/36/s/1/C" id="id4092DAE9C1D24D59815A40EC56AA3CB7" class="indent2"><num value="C">(C) </num><content>The transfer of up to 64,603 additional kits, partial kits, and full-up-rounds.</content></subparagraph></paragraph></section></main>
<signatures>
<signature><role>Speaker of the House of Representatives</role>.</signature></signatures>
<signatures>
<signature><role>Vice President of the United States and President of the Senate.</role></signature></signatures></resolution>

View File

@@ -0,0 +1,45 @@
<?xml version="1.0" encoding="UTF-8"?><?xml-stylesheet type="text/css" href="uslm.css"?><resolution xmlns="http://schemas.gpo.gov/xml/uslm" xmlns:dc="http://purl.org/dc/elements/1.1/" xmlns:html="http://www.w3.org/1999/xhtml" xmlns:uslm="http://schemas.gpo.gov/xml/uslm" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://schemas.gpo.gov/xml/uslm uslm-2.1.0.xsd" xml:lang="en" meta="slc-id:S1-DAV19K34-MRN-VB-HJT"><!--Disclaimer: Legislative measures that include compacts or other non-standard data structures will require additional modeling and may contain inconsistencies in the converted USLM XML.--> <meta>
<dc:title>116 SJRES 4 RS: Requiring the advice and consent of the Senate or an Act of Congress to suspend, terminate, or withdraw the United States from the North Atlantic Treaty and authorizing related litigation, and for other purposes.</dc:title>
<dc:type>Senate Joint Resolution</dc:type>
<docNumber>4</docNumber>
<citableAs>116 SJRES 4 RS</citableAs>
<citableAs>116sjres4rs</citableAs>
<citableAs>116 S. J. Res. 4 RS</citableAs>
<docStage>Reported in Senate</docStage>
<currentChamber>SENATE</currentChamber>
<dc:creator>United States Senate</dc:creator>
<processedBy>GPO XPub Bill to USLM Generator, version 0.5 + manual changes</processedBy>
<processedDate>2024-09-09</processedDate>
<dc:publisher>United States Government Publishing Office</dc:publisher>
<dc:format>text/xml</dc:format>
<dc:language>EN</dc:language>
<dc:rights>Pursuant to Title 17 Section 105 of the United States Code, this file is not subject to copyright protection and is in the public domain.</dc:rights>
<relatedDocument role="calendar" href="/us/116/scal/335">Calendar No. 335</relatedDocument>
<congress>116</congress>
<session>1</session>
<publicPrivate>public</publicPrivate></meta>
<preface>
<slugLine>•SJ 4 RS</slugLine>
<distributionCode display="yes">IIA</distributionCode>
<relatedDocument role="calendar" href="/us/116/scal/335">Calendar No. 335</relatedDocument>
<congress value="116">116th CONGRESS</congress>
<session value="1">1st Session</session>
<dc:type>S. J. RES. </dc:type>
<docNumber>4</docNumber>
<dc:title>Requiring the advice and consent of the Senate or an Act of Congress to suspend, terminate, or withdraw the United States from the North Atlantic Treaty and authorizing related litigation, and for other purposes.</dc:title>
<currentChamber value="SENATE">IN THE SENATE OF THE UNITED STATES</currentChamber>
<action><date date="2019-01-17"><inline class="smallCaps">January </inline>17, 2019</date><actionDescription><sponsor senateId="S362">Mr. <inline class="smallCaps">Kaine</inline></sponsor> (for himself, <cosponsor senateId="S377">Mr. <inline class="smallCaps">Gardner</inline></cosponsor>, <cosponsor senateId="S259">Mr. <inline class="smallCaps">Reed</inline></cosponsor>, <cosponsor senateId="S293">Mr. <inline class="smallCaps">Graham</inline></cosponsor>, <cosponsor senateId="S341">Mr. <inline class="smallCaps">Blumenthal</inline></cosponsor>, <cosponsor senateId="S350">Mr. <inline class="smallCaps">Rubio</inline></cosponsor>, <cosponsor senateId="S337">Mr. <inline class="smallCaps">Coons</inline></cosponsor>, <cosponsor senateId="S252">Ms. <inline class="smallCaps">Collins</inline></cosponsor>, <cosponsor senateId="S253">Mr. <inline class="smallCaps">Durbin</inline></cosponsor>, <cosponsor senateId="S221">Mrs. <inline class="smallCaps">Feinstein</inline></cosponsor>, <cosponsor senateId="S347">Mr. <inline class="smallCaps">Moran</inline></cosponsor>, <cosponsor senateId="S393">Mr. <inline class="smallCaps">Jones</inline></cosponsor>, <cosponsor senateId="S383">Mr. <inline class="smallCaps">Sullivan</inline></cosponsor>, <cosponsor senateId="S306">Mr. <inline class="smallCaps">Menendez</inline></cosponsor>, <cosponsor senateId="S324">Mrs. <inline class="smallCaps">Shaheen</inline></cosponsor>, and <cosponsor senateId="S369">Mr. <inline class="smallCaps">Markey</inline></cosponsor>) introduced the following joint resolution; which was read twice and referred to the <committee addedDisplayStyle="italic" committeeId="SSFR00" deletedDisplayStyle="strikethrough">Committee on Foreign Relations</committee></actionDescription></action>
<action actionStage="Reported-in-Senate"><date><inline class="smallCaps">December </inline>17, 2019</date><actionDescription>Reported by <sponsor senateId="S323">Mr. <inline class="smallCaps">Risch</inline></sponsor>, with an amendment</actionDescription><actionInstruction>[Strike out all after the resolving clause and insert the part printed in italic]</actionInstruction></action></preface>
<main styleType="OLC"><longTitle><docTitle>JOINT RESOLUTION</docTitle><officialTitle>Requiring the advice and consent of the Senate or an Act of Congress to suspend, terminate, or withdraw the United States from the North Atlantic Treaty and authorizing related litigation, and for other purposes.</officialTitle></longTitle><resolvingClause><i>Resolved by the Senate and House of Representatives of the United States of America in Congress assembled, </i></resolvingClause>
<section identifier="/us/resolution/116/sjres/4/s1" id="id41789E6DD815443BAF5CBB360CA68B0E" changed="deleted" origin="#SSFR00"><num value="1">SECTION 1. </num><heading>OPPOSITION OF CONGRESS TO SUSPENSION, TERMINATION, OR WITHDRAWAL FROM NORTH ATLANTIC TREATY.</heading><content class="block">The President shall not suspend, terminate, or withdraw the United States from the North Atlantic Treaty, done at Washington, DC, April 4, 1949, except by and with the advice and consent of the Senate, provided that two thirds of the Senators present concur, or pursuant to an Act of Congress.</content></section>
<section identifier="/us/resolution/116/sjres/4/s2" id="id42754341F3AF4000BF2EAC63B9E770F6" changed="deleted" origin="#SSFR00"><num value="2">SEC. 2. </num><heading>LIMITATION ON THE USE OF FUNDS.</heading><content class="block">No funds authorized or appropriated by any Act may be used to support, directly or indirectly, any efforts on the part of any United States Government official to take steps to suspend, terminate, or withdraw the United States from the North Atlantic Treaty, done at Washington, DC, April 4, 1949, until such time as the Senate passes, by an affirmative vote of two-thirds of Members, a resolution advising and consenting to the withdrawal of the United States from the treaty or pursuant to an Act of Congress.</content></section>
<section identifier="/us/resolution/116/sjres/4/s3" id="id305BCA5F8062425B99DE9682A7B6109F" changed="deleted" origin="#SSFR00"><num value="3">SEC. 3. </num><heading>NOTIFICATION OF TREATY ACTION.</heading><content class="block">The President shall notify the Committee on Foreign Relations of the Senate and the Committee on Foreign Affairs of the House of Representatives in writing of any effort to suspend, terminate, or withdraw the United States from the North Atlantic Treaty, as soon as possible but in no event later than 48 hours after any such action is taken.</content></section>
<section identifier="/us/resolution/116/sjres/4/s4" id="id560E006EABAB4A83AB37F3AE77721D8A" changed="deleted" origin="#SSFR00"><num value="4">SEC. 4. </num><heading>AUTHORIZATION OF LEGAL COUNSEL TO REPRESENT CONGRESS.</heading><content class="block">Both the Senate Legal Counsel and the General Counsel to the House of Representatives are authorized to independently or collectively represent Congress in initiating or intervening in any judicial proceedings in any Federal court of competent jurisdiction on behalf of Congress in order to oppose any effort to suspend, terminate, or withdraw the United States from the North Atlantic Treaty in a manner inconsistent with this joint resolution.</content></section>
<section identifier="/us/resolution/116/sjres/4/s5" id="id77F718B88E124C938F89A1866B3180EE" changed="deleted" origin="#SSFR00"><num value="5">SEC. 5. </num><heading>REPORTING REQUIREMENT.</heading><content class="block">Any legal counsel operating pursuant to section 4 shall report as soon as practicable to the Committee on Foreign Relations of the Senate and the Committee on Foreign Affairs of the House of Representatives with respect to any judicial proceedings which the Senate Legal Counsel or the General Counsel to the House of Representatives, as the case may be, initiates or in which it intervenes pursuant to this resolution.</content></section>
<section identifier="/us/resolution/116/sjres/4/s1" id="idbbbfc888-f6ab-4c1a-a7d2-9e111d00d01f" changed="added" origin="#SSFR00"><num value="1">SECTION 1. </num><heading>OPPOSITION OF CONGRESS TO SUSPENSION, TERMINATION, DENUNCIATION, OR WITHDRAWAL FROM NORTH ATLANTIC TREATY.</heading><content class="block">The President shall not suspend, terminate, denounce, or withdraw the United States from the North Atlantic Treaty, done at Washington, DC, April 4, 1949, except by and with the advice and consent of the Senate, provided that two thirds of the Senators present concur, or pursuant to an Act of Congress.</content></section>
<section identifier="/us/resolution/116/sjres/4/s2" id="id6e482a5c-a935-4fdd-a274-dee54d9127d7" changed="added" origin="#SSFR00"><num value="2">SEC. 2. </num><heading>LIMITATION ON THE USE OF FUNDS.</heading><content class="block">No funds authorized or appropriated by any Act may be used to support, directly or indirectly, any efforts on the part of any United States Government official to take steps to suspend, terminate, denounce, or withdraw the United States from the North Atlantic Treaty, done at Washington, DC, April 4, 1949, until such time as both the Senate and the House of Representatives pass, by an affirmative vote of two-thirds of Members, a joint resolution approving the withdrawal of the United States from the treaty or pursuant to an Act of Congress.</content></section>
<section identifier="/us/resolution/116/sjres/4/s3" id="id13b5fcba-aef6-49ef-b035-ce14ff9200c2" changed="added" origin="#SSFR00"><num value="3">SEC. 3. </num><heading>NOTIFICATION OF TREATY ACTION.</heading><content class="block">The President shall notify the Committee on Foreign Relations of the Senate and the Committee on Foreign Affairs of the House of Representatives in writing of any effort to suspend, terminate, denounce, or withdraw the United States from the North Atlantic Treaty, as soon as possible but in no event later than 48 hours after any such action is taken.</content></section>
<section identifier="/us/resolution/116/sjres/4/s4" id="id73b98b38-3e99-4db5-b3b1-35d2b1c82310" changed="added" origin="#SSFR00"><num value="4">SEC. 4. </num><heading>AUTHORIZATION OF LEGAL COUNSEL TO REPRESENT CONGRESS.</heading><content class="block">Both the Senate Legal Counsel and the General Counsel to the House of Representatives are authorized to independently or collectively represent Congress in initiating or intervening in any judicial proceedings in any Federal court of competent jurisdiction on behalf of Congress in order to oppose any effort to suspend, terminate, denounce, or withdraw the United States from the North Atlantic Treaty in a manner inconsistent with this joint resolution.</content></section>
<section identifier="/us/resolution/116/sjres/4/s5" id="id0360439e-2071-4c76-8ac2-18573c13f509" changed="added" origin="#SSFR00"><num value="5">SEC. 5. </num><heading>REPORTING REQUIREMENT.</heading><content class="block">Any legal counsel operating pursuant to section 4 shall report as soon as practicable to the Committee on Foreign Relations of the Senate and the Committee on Foreign Affairs of the House of Representatives with respect to any judicial proceedings which the Senate Legal Counsel or the General Counsel to the House of Representatives, as the case may be, initiates or in which it intervenes pursuant to section 4.</content></section>
<section role="definitions" identifier="/us/resolution/116/sjres/4/s6" id="id2BF0E770971447AF8EA1F129E8BA3480" changed="added" origin="#SSFR00"><num value="6">SEC. 6. </num><heading>DEFINITIONS.</heading><content class="block">In this resolution, the terms “<term>withdrawal</term>”, “<term>denunciation</term>”, “<term>suspension</term>”, and “<term>termination</term>” have the meaning given the terms in the Vienna Convention on the Law of Treaties, concluded at Vienna May 23, 1969.</content></section></main>
<endorsement orientation="landscape"><relatedDocument role="calendar" href="/us/116/scal/335">Calendar No. 335</relatedDocument><congress value="116">116th CONGRESS</congress><session value="1">1st Session</session><dc:type>S. J. RES. </dc:type><docNumber>4</docNumber><longTitle><docTitle>JOINT RESOLUTION</docTitle><officialTitle>Requiring the advice and consent of the Senate or an Act of Congress to suspend, terminate, or withdraw the United States from the North Atlantic Treaty and authorizing related litigation, and for other purposes.</officialTitle></longTitle><action><date date="2019-12-17"><inline class="smallCaps">December </inline>17, 2019</date><actionDescription>Reported with an amendment</actionDescription></action></endorsement></resolution>

Some files were not shown because too many files have changed in this diff Show More